webpackJsonp([54],{ /***/ 1021: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["g"] = isThenable; /* harmony export (immutable) */ __webpack_exports__["e"] = createCancelablePromise; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Delayer; }); /* harmony export (immutable) */ __webpack_exports__["h"] = timeout; /* harmony export (immutable) */ __webpack_exports__["f"] = disposableTimeout; /* unused harmony export first */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return TimeoutTimer; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return IntervalTimer; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return RunOnceScheduler; }); /* unused harmony export runWhenIdle */ /* unused harmony export IdleValue */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__cancellation_js__ = __webpack_require__(1678); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function isThenable(obj) { return obj && typeof obj.then === 'function'; } function createCancelablePromise(callback) { var source = new __WEBPACK_IMPORTED_MODULE_0__cancellation_js__["a" /* CancellationTokenSource */](); var thenable = callback(source.token); var promise = new Promise(function (resolve, reject) { source.token.onCancellationRequested(function () { reject(__WEBPACK_IMPORTED_MODULE_1__errors_js__["a" /* canceled */]()); }); Promise.resolve(thenable).then(function (value) { source.dispose(); resolve(value); }, function (err) { source.dispose(); reject(err); }); }); return new /** @class */ (function () { function class_1() { } class_1.prototype.cancel = function () { source.cancel(); }; class_1.prototype.then = function (resolve, reject) { return promise.then(resolve, reject); }; class_1.prototype.catch = function (reject) { return this.then(undefined, reject); }; class_1.prototype.finally = function (onfinally) { return promise.finally(onfinally); }; return class_1; }()); } /** * A helper to delay execution of a task that is being requested often. * * Following the throttler, now imagine the mail man wants to optimize the number of * trips proactively. The trip itself can be long, so he decides not to make the trip * as soon as a letter is submitted. Instead he waits a while, in case more * letters are submitted. After said waiting period, if no letters were submitted, he * decides to make the trip. Imagine that N more letters were submitted after the first * one, all within a short period of time between each other. Even though N+1 * submissions occurred, only 1 delivery was made. * * The delayer offers this behavior via the trigger() method, into which both the task * to be executed and the waiting period (delay) must be passed in as arguments. Following * the example: * * const delayer = new Delayer(WAITING_PERIOD); * const letters = []; * * function letterReceived(l) { * letters.push(l); * delayer.trigger(() => { return makeTheTrip(); }); * } */ var Delayer = /** @class */ (function () { function Delayer(defaultDelay) { this.defaultDelay = defaultDelay; this.timeout = null; this.completionPromise = null; this.doResolve = null; this.task = null; } Delayer.prototype.trigger = function (task, delay) { var _this = this; if (delay === void 0) { delay = this.defaultDelay; } this.task = task; this.cancelTimeout(); if (!this.completionPromise) { this.completionPromise = new Promise(function (c, e) { _this.doResolve = c; _this.doReject = e; }).then(function () { _this.completionPromise = null; _this.doResolve = null; var task = _this.task; _this.task = null; return task(); }); } this.timeout = setTimeout(function () { _this.timeout = null; _this.doResolve(null); }, delay); return this.completionPromise; }; Delayer.prototype.isTriggered = function () { return this.timeout !== null; }; Delayer.prototype.cancel = function () { this.cancelTimeout(); if (this.completionPromise) { this.doReject(__WEBPACK_IMPORTED_MODULE_1__errors_js__["a" /* canceled */]()); this.completionPromise = null; } }; Delayer.prototype.cancelTimeout = function () { if (this.timeout !== null) { clearTimeout(this.timeout); this.timeout = null; } }; Delayer.prototype.dispose = function () { this.cancelTimeout(); }; return Delayer; }()); function timeout(millis, token) { if (!token) { return createCancelablePromise(function (token) { return timeout(millis, token); }); } return new Promise(function (resolve, reject) { var handle = setTimeout(resolve, millis); token.onCancellationRequested(function () { clearTimeout(handle); reject(__WEBPACK_IMPORTED_MODULE_1__errors_js__["a" /* canceled */]()); }); }); } function disposableTimeout(handler, timeout) { if (timeout === void 0) { timeout = 0; } var timer = setTimeout(handler, timeout); return Object(__WEBPACK_IMPORTED_MODULE_2__lifecycle_js__["e" /* toDisposable */])(function () { return clearTimeout(timer); }); } function first(promiseFactories, shouldStop, defaultValue) { if (shouldStop === void 0) { shouldStop = function (t) { return !!t; }; } if (defaultValue === void 0) { defaultValue = null; } var index = 0; var len = promiseFactories.length; var loop = function () { if (index >= len) { return Promise.resolve(defaultValue); } var factory = promiseFactories[index++]; var promise = Promise.resolve(factory()); return promise.then(function (result) { if (shouldStop(result)) { return Promise.resolve(result); } return loop(); }); }; return loop(); } var TimeoutTimer = /** @class */ (function (_super) { __extends(TimeoutTimer, _super); function TimeoutTimer(runner, timeout) { var _this = _super.call(this) || this; _this._token = -1; if (typeof runner === 'function' && typeof timeout === 'number') { _this.setIfNotSet(runner, timeout); } return _this; } TimeoutTimer.prototype.dispose = function () { this.cancel(); _super.prototype.dispose.call(this); }; TimeoutTimer.prototype.cancel = function () { if (this._token !== -1) { clearTimeout(this._token); this._token = -1; } }; TimeoutTimer.prototype.cancelAndSet = function (runner, timeout) { var _this = this; this.cancel(); this._token = setTimeout(function () { _this._token = -1; runner(); }, timeout); }; TimeoutTimer.prototype.setIfNotSet = function (runner, timeout) { var _this = this; if (this._token !== -1) { // timer is already set return; } this._token = setTimeout(function () { _this._token = -1; runner(); }, timeout); }; return TimeoutTimer; }(__WEBPACK_IMPORTED_MODULE_2__lifecycle_js__["a" /* Disposable */])); var IntervalTimer = /** @class */ (function (_super) { __extends(IntervalTimer, _super); function IntervalTimer() { var _this = _super.call(this) || this; _this._token = -1; return _this; } IntervalTimer.prototype.dispose = function () { this.cancel(); _super.prototype.dispose.call(this); }; IntervalTimer.prototype.cancel = function () { if (this._token !== -1) { clearInterval(this._token); this._token = -1; } }; IntervalTimer.prototype.cancelAndSet = function (runner, interval) { this.cancel(); this._token = setInterval(function () { runner(); }, interval); }; return IntervalTimer; }(__WEBPACK_IMPORTED_MODULE_2__lifecycle_js__["a" /* Disposable */])); var RunOnceScheduler = /** @class */ (function () { function RunOnceScheduler(runner, timeout) { this.timeoutToken = -1; this.runner = runner; this.timeout = timeout; this.timeoutHandler = this.onTimeout.bind(this); } /** * Dispose RunOnceScheduler */ RunOnceScheduler.prototype.dispose = function () { this.cancel(); this.runner = null; }; /** * Cancel current scheduled runner (if any). */ RunOnceScheduler.prototype.cancel = function () { if (this.isScheduled()) { clearTimeout(this.timeoutToken); this.timeoutToken = -1; } }; /** * Cancel previous runner (if any) & schedule a new runner. */ RunOnceScheduler.prototype.schedule = function (delay) { if (delay === void 0) { delay = this.timeout; } this.cancel(); this.timeoutToken = setTimeout(this.timeoutHandler, delay); }; /** * Returns true if scheduled. */ RunOnceScheduler.prototype.isScheduled = function () { return this.timeoutToken !== -1; }; RunOnceScheduler.prototype.onTimeout = function () { this.timeoutToken = -1; if (this.runner) { this.doRun(); } }; RunOnceScheduler.prototype.doRun = function () { if (this.runner) { this.runner(); } }; return RunOnceScheduler; }()); /** * Execute the callback the next time the browser is idle */ var runWhenIdle; (function () { if (typeof requestIdleCallback !== 'function' || typeof cancelIdleCallback !== 'function') { var dummyIdle_1 = Object.freeze({ didTimeout: true, timeRemaining: function () { return 15; } }); runWhenIdle = function (runner) { var handle = setTimeout(function () { return runner(dummyIdle_1); }); var disposed = false; return { dispose: function () { if (disposed) { return; } disposed = true; clearTimeout(handle); } }; }; } else { runWhenIdle = function (runner, timeout) { var handle = requestIdleCallback(runner, typeof timeout === 'number' ? { timeout: timeout } : undefined); var disposed = false; return { dispose: function () { if (disposed) { return; } disposed = true; cancelIdleCallback(handle); } }; }; } })(); /** * An implementation of the "idle-until-urgent"-strategy as introduced * here: https://philipwalton.com/articles/idle-until-urgent/ */ var IdleValue = /** @class */ (function () { function IdleValue(executor) { var _this = this; this._executor = function () { try { _this._value = executor(); } catch (err) { _this._error = err; } finally { _this._didRun = true; } }; this._handle = runWhenIdle(function () { return _this._executor(); }); } IdleValue.prototype.dispose = function () { this._handle.dispose(); }; IdleValue.prototype.getValue = function () { if (!this._didRun) { this._handle.dispose(); this._executor(); } if (this._error) { throw this._error; } return this._value; }; return IdleValue; }()); //#endregion /***/ }), /***/ 1036: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1037); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1037: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".ant-dropdown{-webkit-box-sizing:border-box;box-sizing:border-box;margin:0;padding:0;color:rgba(0,0,0,.65);font-size:14px;font-variant:tabular-nums;line-height:1.5;list-style:none;-webkit-font-feature-settings:\"tnum\";font-feature-settings:\"tnum\";position:absolute;top:-9999px;left:-9999px;z-index:1050;display:block}.ant-dropdown:before{position:absolute;top:-7px;right:0;bottom:-7px;left:-7px;z-index:-9999;opacity:.0001;content:\" \"}.ant-dropdown-wrap{position:relative}.ant-dropdown-wrap .ant-btn>.anticon-down{display:inline-block;font-size:12px;font-size:10px\\9;-webkit-transform:scale(.83333333) rotate(0deg);-ms-transform:scale(.83333333) rotate(0deg);transform:scale(.83333333) rotate(0deg)}:root .ant-dropdown-wrap .ant-btn>.anticon-down{font-size:12px}.ant-dropdown-wrap .anticon-down:before{-webkit-transition:-webkit-transform .2s;transition:-webkit-transform .2s;-o-transition:transform .2s;transition:transform .2s;transition:transform .2s,-webkit-transform .2s}.ant-dropdown-wrap-open .anticon-down:before{-webkit-transform:rotate(180deg);-ms-transform:rotate(180deg);transform:rotate(180deg)}.ant-dropdown-hidden,.ant-dropdown-menu-hidden{display:none}.ant-dropdown-menu{position:relative;margin:0;padding:4px 0;text-align:left;list-style-type:none;background-color:#fff;background-clip:padding-box;border-radius:4px;outline:none;-webkit-box-shadow:0 2px 8px rgba(0,0,0,.15);box-shadow:0 2px 8px rgba(0,0,0,.15);-webkit-transform:translateZ(0)}.ant-dropdown-menu-item-group-title{padding:5px 12px;color:rgba(0,0,0,.45);-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-dropdown-menu-submenu-popup{position:absolute;z-index:1050}.ant-dropdown-menu-submenu-popup>.ant-dropdown-menu{-webkit-transform-origin:0 0;-ms-transform-origin:0 0;transform-origin:0 0}.ant-dropdown-menu-submenu-popup li,.ant-dropdown-menu-submenu-popup ul{list-style:none}.ant-dropdown-menu-submenu-popup ul{margin-right:.3em;margin-left:.3em;padding:0}.ant-dropdown-menu-item,.ant-dropdown-menu-submenu-title{clear:both;margin:0;padding:5px 12px;color:rgba(0,0,0,.65);font-weight:400;font-size:14px;line-height:22px;white-space:nowrap;cursor:pointer;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-dropdown-menu-item>.anticon:first-child,.ant-dropdown-menu-item>span>.anticon:first-child,.ant-dropdown-menu-submenu-title>.anticon:first-child,.ant-dropdown-menu-submenu-title>span>.anticon:first-child{min-width:12px;margin-right:8px;font-size:12px}.ant-dropdown-menu-item>a,.ant-dropdown-menu-submenu-title>a{display:block;margin:-5px -12px;padding:5px 12px;color:rgba(0,0,0,.65);-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-dropdown-menu-item-selected,.ant-dropdown-menu-item-selected>a,.ant-dropdown-menu-submenu-title-selected,.ant-dropdown-menu-submenu-title-selected>a{color:#1890ff;background-color:#e6f7ff}.ant-dropdown-menu-item:hover,.ant-dropdown-menu-submenu-title:hover{background-color:#e6f7ff}.ant-dropdown-menu-item-disabled,.ant-dropdown-menu-submenu-title-disabled{color:rgba(0,0,0,.25);cursor:not-allowed}.ant-dropdown-menu-item-disabled:hover,.ant-dropdown-menu-submenu-title-disabled:hover{color:rgba(0,0,0,.25);background-color:#fff;cursor:not-allowed}.ant-dropdown-menu-item-divider,.ant-dropdown-menu-submenu-title-divider{height:1px;margin:4px 0;overflow:hidden;line-height:0;background-color:#e8e8e8}.ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow,.ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow{position:absolute;right:8px}.ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow-icon,.ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow-icon{color:rgba(0,0,0,.45);font-style:normal;display:inline-block;font-size:12px;font-size:10px\\9;-webkit-transform:scale(.83333333) rotate(0deg);-ms-transform:scale(.83333333) rotate(0deg);transform:scale(.83333333) rotate(0deg)}:root .ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow-icon,:root .ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow-icon{font-size:12px}.ant-dropdown-menu-item-group-list{margin:0 8px;padding:0;list-style:none}.ant-dropdown-menu-submenu-title{padding-right:26px}.ant-dropdown-menu-submenu-vertical{position:relative}.ant-dropdown-menu-submenu-vertical>.ant-dropdown-menu{position:absolute;top:0;left:100%;min-width:100%;margin-left:4px;-webkit-transform-origin:0 0;-ms-transform-origin:0 0;transform-origin:0 0}.ant-dropdown-menu-submenu.ant-dropdown-menu-submenu-disabled .ant-dropdown-menu-submenu-title,.ant-dropdown-menu-submenu.ant-dropdown-menu-submenu-disabled .ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow-icon{color:rgba(0,0,0,.25);background-color:#fff;cursor:not-allowed}.ant-dropdown-menu-submenu-selected .ant-dropdown-menu-submenu-title{color:#1890ff}.ant-dropdown.slide-down-appear.slide-down-appear-active.ant-dropdown-placement-bottomCenter,.ant-dropdown.slide-down-appear.slide-down-appear-active.ant-dropdown-placement-bottomLeft,.ant-dropdown.slide-down-appear.slide-down-appear-active.ant-dropdown-placement-bottomRight,.ant-dropdown.slide-down-enter.slide-down-enter-active.ant-dropdown-placement-bottomCenter,.ant-dropdown.slide-down-enter.slide-down-enter-active.ant-dropdown-placement-bottomLeft,.ant-dropdown.slide-down-enter.slide-down-enter-active.ant-dropdown-placement-bottomRight{-webkit-animation-name:antSlideUpIn;animation-name:antSlideUpIn}.ant-dropdown.slide-up-appear.slide-up-appear-active.ant-dropdown-placement-topCenter,.ant-dropdown.slide-up-appear.slide-up-appear-active.ant-dropdown-placement-topLeft,.ant-dropdown.slide-up-appear.slide-up-appear-active.ant-dropdown-placement-topRight,.ant-dropdown.slide-up-enter.slide-up-enter-active.ant-dropdown-placement-topCenter,.ant-dropdown.slide-up-enter.slide-up-enter-active.ant-dropdown-placement-topLeft,.ant-dropdown.slide-up-enter.slide-up-enter-active.ant-dropdown-placement-topRight{-webkit-animation-name:antSlideDownIn;animation-name:antSlideDownIn}.ant-dropdown.slide-down-leave.slide-down-leave-active.ant-dropdown-placement-bottomCenter,.ant-dropdown.slide-down-leave.slide-down-leave-active.ant-dropdown-placement-bottomLeft,.ant-dropdown.slide-down-leave.slide-down-leave-active.ant-dropdown-placement-bottomRight{-webkit-animation-name:antSlideUpOut;animation-name:antSlideUpOut}.ant-dropdown.slide-up-leave.slide-up-leave-active.ant-dropdown-placement-topCenter,.ant-dropdown.slide-up-leave.slide-up-leave-active.ant-dropdown-placement-topLeft,.ant-dropdown.slide-up-leave.slide-up-leave-active.ant-dropdown-placement-topRight{-webkit-animation-name:antSlideDownOut;animation-name:antSlideDownOut}.ant-dropdown-link>.anticon.anticon-down,.ant-dropdown-trigger>.anticon.anticon-down{display:inline-block;font-size:12px;font-size:10px\\9;-webkit-transform:scale(.83333333) rotate(0deg);-ms-transform:scale(.83333333) rotate(0deg);transform:scale(.83333333) rotate(0deg)}:root .ant-dropdown-link>.anticon.anticon-down,:root .ant-dropdown-trigger>.anticon.anticon-down{font-size:12px}.ant-dropdown-button{white-space:nowrap}.ant-dropdown-button.ant-btn-group>.ant-btn:last-child:not(:first-child){padding-right:8px;padding-left:8px}.ant-dropdown-button .anticon.anticon-down{display:inline-block;font-size:12px;font-size:10px\\9;-webkit-transform:scale(.83333333) rotate(0deg);-ms-transform:scale(.83333333) rotate(0deg);transform:scale(.83333333) rotate(0deg)}:root .ant-dropdown-button .anticon.anticon-down{font-size:12px}.ant-dropdown-menu-dark,.ant-dropdown-menu-dark .ant-dropdown-menu{background:#001529}.ant-dropdown-menu-dark .ant-dropdown-menu-item,.ant-dropdown-menu-dark .ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow:after,.ant-dropdown-menu-dark .ant-dropdown-menu-item>a,.ant-dropdown-menu-dark .ant-dropdown-menu-item>a .ant-dropdown-menu-submenu-arrow:after,.ant-dropdown-menu-dark .ant-dropdown-menu-submenu-title,.ant-dropdown-menu-dark .ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow:after{color:hsla(0,0%,100%,.65)}.ant-dropdown-menu-dark .ant-dropdown-menu-item:hover,.ant-dropdown-menu-dark .ant-dropdown-menu-item>a:hover,.ant-dropdown-menu-dark .ant-dropdown-menu-submenu-title:hover{color:#fff;background:transparent}.ant-dropdown-menu-dark .ant-dropdown-menu-item-selected,.ant-dropdown-menu-dark .ant-dropdown-menu-item-selected:hover,.ant-dropdown-menu-dark .ant-dropdown-menu-item-selected>a{color:#fff;background:#1890ff}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_antd@3.26.4@antd/lib/dropdown/style/index.css"],"names":[],"mappings":"AAIA,cACE,8BAA+B,AACvB,sBAAuB,AAC/B,SAAU,AACV,UAAW,AACX,sBAA2B,AAC3B,eAAgB,AAChB,0BAA2B,AAC3B,gBAAiB,AACjB,gBAAiB,AACjB,qCAAsC,AAC9B,6BAA8B,AACtC,kBAAmB,AACnB,YAAa,AACb,aAAc,AACd,aAAc,AACd,aAAe,CAChB,AACD,qBACE,kBAAmB,AACnB,SAAU,AACV,QAAS,AACT,YAAa,AACb,UAAW,AACX,cAAe,AACf,cAAgB,AAChB,WAAa,CACd,AACD,mBACE,iBAAmB,CACpB,AACD,0CACE,qBAAsB,AACtB,eAAgB,AAChB,iBAAmB,AACnB,gDAAkD,AAC9C,4CAA8C,AAC1C,uCAA0C,CACnD,AACD,gDACE,cAAgB,CACjB,AACD,wCACE,yCAA2C,AAC3C,iCAAmC,AACnC,4BAA8B,AAC9B,yBAA2B,AAC3B,8CAAmD,CACpD,AACD,6CACE,iCAAkC,AAC9B,6BAA8B,AAC1B,wBAA0B,CACnC,AACD,+CAEE,YAAc,CACf,AACD,mBACE,kBAAmB,AACnB,SAAU,AACV,cAAe,AACf,gBAAiB,AACjB,qBAAsB,AACtB,sBAAuB,AACvB,4BAA6B,AAC7B,kBAAmB,AACnB,aAAc,AACd,6CAAkD,AAC1C,qCAA0C,AAClD,+BAAwC,CACzC,AACD,oCACE,iBAAkB,AAClB,sBAA2B,AAC3B,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,iCACE,kBAAmB,AACnB,YAAc,CACf,AACD,oDACE,6BAA8B,AAC1B,yBAA0B,AACtB,oBAAsB,CAC/B,AACD,wEAEE,eAAiB,CAClB,AACD,oCACE,kBAAoB,AACpB,iBAAmB,AACnB,SAAW,CACZ,AACD,yDAEE,WAAY,AACZ,SAAU,AACV,iBAAkB,AAClB,sBAA2B,AAC3B,gBAAoB,AACpB,eAAgB,AAChB,iBAAkB,AAClB,mBAAoB,AACpB,eAAgB,AAChB,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,gNAIE,eAAgB,AAChB,iBAAkB,AAClB,cAAgB,CACjB,AACD,6DAEE,cAAe,AACf,kBAAmB,AACnB,iBAAkB,AAClB,sBAA2B,AAC3B,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,0JAIE,cAAe,AACf,wBAA0B,CAC3B,AACD,qEAEE,wBAA0B,CAC3B,AACD,2EAEE,sBAA2B,AAC3B,kBAAoB,CACrB,AACD,uFAEE,sBAA2B,AAC3B,sBAAuB,AACvB,kBAAoB,CACrB,AACD,yEAEE,WAAY,AACZ,aAAc,AACd,gBAAiB,AACjB,cAAe,AACf,wBAA0B,CAC3B,AACD,2HAEE,kBAAmB,AACnB,SAAW,CACZ,AACD,qIAEE,sBAA2B,AAC3B,kBAAmB,AACnB,qBAAsB,AACtB,eAAgB,AAChB,iBAAmB,AACnB,gDAAkD,AAC9C,4CAA8C,AAC1C,uCAA0C,CACnD,AACD,iJAEE,cAAgB,CACjB,AACD,mCACE,aAAc,AACd,UAAW,AACX,eAAiB,CAClB,AACD,iCACE,kBAAoB,CACrB,AACD,oCACE,iBAAmB,CACpB,AACD,uDACE,kBAAmB,AACnB,MAAO,AACP,UAAW,AACX,eAAgB,AAChB,gBAAiB,AACjB,6BAA8B,AAC1B,yBAA0B,AACtB,oBAAsB,CAC/B,AACD,oOAEE,sBAA2B,AAC3B,sBAAuB,AACvB,kBAAoB,CACrB,AACD,qEACE,aAAe,CAChB,AACD,kiBAME,oCAAqC,AAC7B,2BAA6B,CACtC,AACD,wfAME,sCAAuC,AAC/B,6BAA+B,CACxC,AACD,8QAGE,qCAAsC,AAC9B,4BAA8B,CACvC,AACD,yPAGE,uCAAwC,AAChC,8BAAgC,CACzC,AACD,qFAEE,qBAAsB,AACtB,eAAgB,AAChB,iBAAmB,AACnB,gDAAkD,AAC9C,4CAA8C,AAC1C,uCAA0C,CACnD,AACD,iGAEE,cAAgB,CACjB,AACD,qBACE,kBAAoB,CACrB,AACD,yEACE,kBAAmB,AACnB,gBAAkB,CACnB,AACD,2CACE,qBAAsB,AACtB,eAAgB,AAChB,iBAAmB,AACnB,gDAAkD,AAC9C,4CAA8C,AAC1C,uCAA0C,CACnD,AACD,iDACE,cAAgB,CACjB,AACD,mEAEE,kBAAoB,CACrB,AAMD,2aAGE,yBAAiC,CAClC,AACD,6KAGE,WAAY,AACZ,sBAAwB,CACzB,AACD,mLAGE,WAAY,AACZ,kBAAoB,CACrB","file":"index.css","sourcesContent":["/* stylelint-disable at-rule-empty-line-before,at-rule-name-space-after,at-rule-no-unknown */\n/* stylelint-disable no-duplicate-selectors */\n/* stylelint-disable */\n/* stylelint-disable declaration-bang-space-before,no-duplicate-selectors,string-no-newline */\n.ant-dropdown {\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n margin: 0;\n padding: 0;\n color: rgba(0, 0, 0, 0.65);\n font-size: 14px;\n font-variant: tabular-nums;\n line-height: 1.5;\n list-style: none;\n -webkit-font-feature-settings: 'tnum';\n font-feature-settings: 'tnum';\n position: absolute;\n top: -9999px;\n left: -9999px;\n z-index: 1050;\n display: block;\n}\n.ant-dropdown::before {\n position: absolute;\n top: -7px;\n right: 0;\n bottom: -7px;\n left: -7px;\n z-index: -9999;\n opacity: 0.0001;\n content: ' ';\n}\n.ant-dropdown-wrap {\n position: relative;\n}\n.ant-dropdown-wrap .ant-btn > .anticon-down {\n display: inline-block;\n font-size: 12px;\n font-size: 10px \\9;\n -webkit-transform: scale(0.83333333) rotate(0deg);\n -ms-transform: scale(0.83333333) rotate(0deg);\n transform: scale(0.83333333) rotate(0deg);\n}\n:root .ant-dropdown-wrap .ant-btn > .anticon-down {\n font-size: 12px;\n}\n.ant-dropdown-wrap .anticon-down::before {\n -webkit-transition: -webkit-transform 0.2s;\n transition: -webkit-transform 0.2s;\n -o-transition: transform 0.2s;\n transition: transform 0.2s;\n transition: transform 0.2s, -webkit-transform 0.2s;\n}\n.ant-dropdown-wrap-open .anticon-down::before {\n -webkit-transform: rotate(180deg);\n -ms-transform: rotate(180deg);\n transform: rotate(180deg);\n}\n.ant-dropdown-hidden,\n.ant-dropdown-menu-hidden {\n display: none;\n}\n.ant-dropdown-menu {\n position: relative;\n margin: 0;\n padding: 4px 0;\n text-align: left;\n list-style-type: none;\n background-color: #fff;\n background-clip: padding-box;\n border-radius: 4px;\n outline: none;\n -webkit-box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n -webkit-transform: translate3d(0, 0, 0);\n}\n.ant-dropdown-menu-item-group-title {\n padding: 5px 12px;\n color: rgba(0, 0, 0, 0.45);\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-dropdown-menu-submenu-popup {\n position: absolute;\n z-index: 1050;\n}\n.ant-dropdown-menu-submenu-popup > .ant-dropdown-menu {\n -webkit-transform-origin: 0 0;\n -ms-transform-origin: 0 0;\n transform-origin: 0 0;\n}\n.ant-dropdown-menu-submenu-popup ul,\n.ant-dropdown-menu-submenu-popup li {\n list-style: none;\n}\n.ant-dropdown-menu-submenu-popup ul {\n margin-right: 0.3em;\n margin-left: 0.3em;\n padding: 0;\n}\n.ant-dropdown-menu-item,\n.ant-dropdown-menu-submenu-title {\n clear: both;\n margin: 0;\n padding: 5px 12px;\n color: rgba(0, 0, 0, 0.65);\n font-weight: normal;\n font-size: 14px;\n line-height: 22px;\n white-space: nowrap;\n cursor: pointer;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-dropdown-menu-item > .anticon:first-child,\n.ant-dropdown-menu-submenu-title > .anticon:first-child,\n.ant-dropdown-menu-item > span > .anticon:first-child,\n.ant-dropdown-menu-submenu-title > span > .anticon:first-child {\n min-width: 12px;\n margin-right: 8px;\n font-size: 12px;\n}\n.ant-dropdown-menu-item > a,\n.ant-dropdown-menu-submenu-title > a {\n display: block;\n margin: -5px -12px;\n padding: 5px 12px;\n color: rgba(0, 0, 0, 0.65);\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-dropdown-menu-item-selected,\n.ant-dropdown-menu-submenu-title-selected,\n.ant-dropdown-menu-item-selected > a,\n.ant-dropdown-menu-submenu-title-selected > a {\n color: #1890ff;\n background-color: #e6f7ff;\n}\n.ant-dropdown-menu-item:hover,\n.ant-dropdown-menu-submenu-title:hover {\n background-color: #e6f7ff;\n}\n.ant-dropdown-menu-item-disabled,\n.ant-dropdown-menu-submenu-title-disabled {\n color: rgba(0, 0, 0, 0.25);\n cursor: not-allowed;\n}\n.ant-dropdown-menu-item-disabled:hover,\n.ant-dropdown-menu-submenu-title-disabled:hover {\n color: rgba(0, 0, 0, 0.25);\n background-color: #fff;\n cursor: not-allowed;\n}\n.ant-dropdown-menu-item-divider,\n.ant-dropdown-menu-submenu-title-divider {\n height: 1px;\n margin: 4px 0;\n overflow: hidden;\n line-height: 0;\n background-color: #e8e8e8;\n}\n.ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow,\n.ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow {\n position: absolute;\n right: 8px;\n}\n.ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow-icon,\n.ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow-icon {\n color: rgba(0, 0, 0, 0.45);\n font-style: normal;\n display: inline-block;\n font-size: 12px;\n font-size: 10px \\9;\n -webkit-transform: scale(0.83333333) rotate(0deg);\n -ms-transform: scale(0.83333333) rotate(0deg);\n transform: scale(0.83333333) rotate(0deg);\n}\n:root .ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow-icon,\n:root .ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow-icon {\n font-size: 12px;\n}\n.ant-dropdown-menu-item-group-list {\n margin: 0 8px;\n padding: 0;\n list-style: none;\n}\n.ant-dropdown-menu-submenu-title {\n padding-right: 26px;\n}\n.ant-dropdown-menu-submenu-vertical {\n position: relative;\n}\n.ant-dropdown-menu-submenu-vertical > .ant-dropdown-menu {\n position: absolute;\n top: 0;\n left: 100%;\n min-width: 100%;\n margin-left: 4px;\n -webkit-transform-origin: 0 0;\n -ms-transform-origin: 0 0;\n transform-origin: 0 0;\n}\n.ant-dropdown-menu-submenu.ant-dropdown-menu-submenu-disabled .ant-dropdown-menu-submenu-title,\n.ant-dropdown-menu-submenu.ant-dropdown-menu-submenu-disabled .ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow-icon {\n color: rgba(0, 0, 0, 0.25);\n background-color: #fff;\n cursor: not-allowed;\n}\n.ant-dropdown-menu-submenu-selected .ant-dropdown-menu-submenu-title {\n color: #1890ff;\n}\n.ant-dropdown.slide-down-enter.slide-down-enter-active.ant-dropdown-placement-bottomLeft,\n.ant-dropdown.slide-down-appear.slide-down-appear-active.ant-dropdown-placement-bottomLeft,\n.ant-dropdown.slide-down-enter.slide-down-enter-active.ant-dropdown-placement-bottomCenter,\n.ant-dropdown.slide-down-appear.slide-down-appear-active.ant-dropdown-placement-bottomCenter,\n.ant-dropdown.slide-down-enter.slide-down-enter-active.ant-dropdown-placement-bottomRight,\n.ant-dropdown.slide-down-appear.slide-down-appear-active.ant-dropdown-placement-bottomRight {\n -webkit-animation-name: antSlideUpIn;\n animation-name: antSlideUpIn;\n}\n.ant-dropdown.slide-up-enter.slide-up-enter-active.ant-dropdown-placement-topLeft,\n.ant-dropdown.slide-up-appear.slide-up-appear-active.ant-dropdown-placement-topLeft,\n.ant-dropdown.slide-up-enter.slide-up-enter-active.ant-dropdown-placement-topCenter,\n.ant-dropdown.slide-up-appear.slide-up-appear-active.ant-dropdown-placement-topCenter,\n.ant-dropdown.slide-up-enter.slide-up-enter-active.ant-dropdown-placement-topRight,\n.ant-dropdown.slide-up-appear.slide-up-appear-active.ant-dropdown-placement-topRight {\n -webkit-animation-name: antSlideDownIn;\n animation-name: antSlideDownIn;\n}\n.ant-dropdown.slide-down-leave.slide-down-leave-active.ant-dropdown-placement-bottomLeft,\n.ant-dropdown.slide-down-leave.slide-down-leave-active.ant-dropdown-placement-bottomCenter,\n.ant-dropdown.slide-down-leave.slide-down-leave-active.ant-dropdown-placement-bottomRight {\n -webkit-animation-name: antSlideUpOut;\n animation-name: antSlideUpOut;\n}\n.ant-dropdown.slide-up-leave.slide-up-leave-active.ant-dropdown-placement-topLeft,\n.ant-dropdown.slide-up-leave.slide-up-leave-active.ant-dropdown-placement-topCenter,\n.ant-dropdown.slide-up-leave.slide-up-leave-active.ant-dropdown-placement-topRight {\n -webkit-animation-name: antSlideDownOut;\n animation-name: antSlideDownOut;\n}\n.ant-dropdown-trigger > .anticon.anticon-down,\n.ant-dropdown-link > .anticon.anticon-down {\n display: inline-block;\n font-size: 12px;\n font-size: 10px \\9;\n -webkit-transform: scale(0.83333333) rotate(0deg);\n -ms-transform: scale(0.83333333) rotate(0deg);\n transform: scale(0.83333333) rotate(0deg);\n}\n:root .ant-dropdown-trigger > .anticon.anticon-down,\n:root .ant-dropdown-link > .anticon.anticon-down {\n font-size: 12px;\n}\n.ant-dropdown-button {\n white-space: nowrap;\n}\n.ant-dropdown-button.ant-btn-group > .ant-btn:last-child:not(:first-child) {\n padding-right: 8px;\n padding-left: 8px;\n}\n.ant-dropdown-button .anticon.anticon-down {\n display: inline-block;\n font-size: 12px;\n font-size: 10px \\9;\n -webkit-transform: scale(0.83333333) rotate(0deg);\n -ms-transform: scale(0.83333333) rotate(0deg);\n transform: scale(0.83333333) rotate(0deg);\n}\n:root .ant-dropdown-button .anticon.anticon-down {\n font-size: 12px;\n}\n.ant-dropdown-menu-dark,\n.ant-dropdown-menu-dark .ant-dropdown-menu {\n background: #001529;\n}\n.ant-dropdown-menu-dark .ant-dropdown-menu-item,\n.ant-dropdown-menu-dark .ant-dropdown-menu-submenu-title,\n.ant-dropdown-menu-dark .ant-dropdown-menu-item > a {\n color: rgba(255, 255, 255, 0.65);\n}\n.ant-dropdown-menu-dark .ant-dropdown-menu-item .ant-dropdown-menu-submenu-arrow::after,\n.ant-dropdown-menu-dark .ant-dropdown-menu-submenu-title .ant-dropdown-menu-submenu-arrow::after,\n.ant-dropdown-menu-dark .ant-dropdown-menu-item > a .ant-dropdown-menu-submenu-arrow::after {\n color: rgba(255, 255, 255, 0.65);\n}\n.ant-dropdown-menu-dark .ant-dropdown-menu-item:hover,\n.ant-dropdown-menu-dark .ant-dropdown-menu-submenu-title:hover,\n.ant-dropdown-menu-dark .ant-dropdown-menu-item > a:hover {\n color: #fff;\n background: transparent;\n}\n.ant-dropdown-menu-dark .ant-dropdown-menu-item-selected,\n.ant-dropdown-menu-dark .ant-dropdown-menu-item-selected:hover,\n.ant-dropdown-menu-dark .ant-dropdown-menu-item-selected > a {\n color: #fff;\n background: #1890ff;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1038: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Dropdown__ = __webpack_require__(1039); /* harmony default export */ __webpack_exports__["default"] = (__WEBPACK_IMPORTED_MODULE_0__Dropdown__["a" /* default */]); /***/ }), /***/ 1039: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react_dom__ = __webpack_require__(4); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react_dom___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_react_dom__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_rc_trigger__ = __webpack_require__(88); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__placements__ = __webpack_require__(1040); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_lifecycles_compat__ = __webpack_require__(7); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; function _objectWithoutProperties(obj, keys) { var target = {}; for (var i in obj) { if (keys.indexOf(i) >= 0) continue; if (!Object.prototype.hasOwnProperty.call(obj, i)) continue; target[i] = obj[i]; } return target; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var Dropdown = function (_Component) { _inherits(Dropdown, _Component); function Dropdown(props) { _classCallCheck(this, Dropdown); var _this = _possibleConstructorReturn(this, _Component.call(this, props)); _initialiseProps.call(_this); if ('visible' in props) { _this.state = { visible: props.visible }; } else { _this.state = { visible: props.defaultVisible }; } return _this; } Dropdown.getDerivedStateFromProps = function getDerivedStateFromProps(nextProps) { if ('visible' in nextProps) { return { visible: nextProps.visible }; } return null; }; Dropdown.prototype.getOverlayElement = function getOverlayElement() { var overlay = this.props.overlay; var overlayElement = void 0; if (typeof overlay === 'function') { overlayElement = overlay(); } else { overlayElement = overlay; } return overlayElement; }; Dropdown.prototype.getMenuElementOrLambda = function getMenuElementOrLambda() { var overlay = this.props.overlay; if (typeof overlay === 'function') { return this.getMenuElement; } return this.getMenuElement(); }; Dropdown.prototype.getPopupDomNode = function getPopupDomNode() { return this.trigger.getPopupDomNode(); }; Dropdown.prototype.getOpenClassName = function getOpenClassName() { var _props = this.props, openClassName = _props.openClassName, prefixCls = _props.prefixCls; if (openClassName !== undefined) { return openClassName; } return prefixCls + '-open'; }; Dropdown.prototype.renderChildren = function renderChildren() { var children = this.props.children; var visible = this.state.visible; var childrenProps = children.props ? children.props : {}; var childClassName = __WEBPACK_IMPORTED_MODULE_4_classnames___default()(childrenProps.className, this.getOpenClassName()); return visible && children ? Object(__WEBPACK_IMPORTED_MODULE_0_react__["cloneElement"])(children, { className: childClassName }) : children; }; Dropdown.prototype.render = function render() { var _props2 = this.props, prefixCls = _props2.prefixCls, transitionName = _props2.transitionName, animation = _props2.animation, align = _props2.align, placement = _props2.placement, getPopupContainer = _props2.getPopupContainer, showAction = _props2.showAction, hideAction = _props2.hideAction, overlayClassName = _props2.overlayClassName, overlayStyle = _props2.overlayStyle, trigger = _props2.trigger, otherProps = _objectWithoutProperties(_props2, ['prefixCls', 'transitionName', 'animation', 'align', 'placement', 'getPopupContainer', 'showAction', 'hideAction', 'overlayClassName', 'overlayStyle', 'trigger']); var triggerHideAction = hideAction; if (!triggerHideAction && trigger.indexOf('contextMenu') !== -1) { triggerHideAction = ['click']; } return __WEBPACK_IMPORTED_MODULE_0_react___default.a.createElement( __WEBPACK_IMPORTED_MODULE_3_rc_trigger__["default"], _extends({}, otherProps, { prefixCls: prefixCls, ref: this.saveTrigger, popupClassName: overlayClassName, popupStyle: overlayStyle, builtinPlacements: __WEBPACK_IMPORTED_MODULE_5__placements__["a" /* default */], action: trigger, showAction: showAction, hideAction: triggerHideAction || [], popupPlacement: placement, popupAlign: align, popupTransitionName: transitionName, popupAnimation: animation, popupVisible: this.state.visible, afterPopupVisibleChange: this.afterVisibleChange, popup: this.getMenuElementOrLambda(), onPopupVisibleChange: this.onVisibleChange, getPopupContainer: getPopupContainer }), this.renderChildren() ); }; return Dropdown; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); Dropdown.propTypes = { minOverlayWidthMatchTrigger: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.bool, onVisibleChange: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.func, onOverlayClick: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.func, prefixCls: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.string, children: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.any, transitionName: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.string, overlayClassName: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.string, openClassName: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.string, animation: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.any, align: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.object, overlayStyle: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.object, placement: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.string, overlay: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.node, __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.func]), trigger: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.array, alignPoint: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.bool, showAction: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.array, hideAction: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.array, getPopupContainer: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.func, visible: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.bool, defaultVisible: __WEBPACK_IMPORTED_MODULE_1_prop_types___default.a.bool }; Dropdown.defaultProps = { prefixCls: 'rc-dropdown', trigger: ['hover'], showAction: [], overlayClassName: '', overlayStyle: {}, defaultVisible: false, onVisibleChange: function onVisibleChange() {}, placement: 'bottomLeft' }; var _initialiseProps = function _initialiseProps() { var _this2 = this; this.onClick = function (e) { var props = _this2.props; var overlayProps = _this2.getOverlayElement().props; // do no call onVisibleChange, if you need click to hide, use onClick and control visible if (!('visible' in props)) { _this2.setState({ visible: false }); } if (props.onOverlayClick) { props.onOverlayClick(e); } if (overlayProps.onClick) { overlayProps.onClick(e); } }; this.onVisibleChange = function (visible) { var props = _this2.props; if (!('visible' in props)) { _this2.setState({ visible: visible }); } props.onVisibleChange(visible); }; this.getMinOverlayWidthMatchTrigger = function () { var _props3 = _this2.props, minOverlayWidthMatchTrigger = _props3.minOverlayWidthMatchTrigger, alignPoint = _props3.alignPoint; if ('minOverlayWidthMatchTrigger' in _this2.props) { return minOverlayWidthMatchTrigger; } return !alignPoint; }; this.getMenuElement = function () { var prefixCls = _this2.props.prefixCls; var overlayElement = _this2.getOverlayElement(); var extraOverlayProps = { prefixCls: prefixCls + '-menu', onClick: _this2.onClick }; if (typeof overlayElement.type === 'string') { delete extraOverlayProps.prefixCls; } return __WEBPACK_IMPORTED_MODULE_0_react___default.a.cloneElement(overlayElement, extraOverlayProps); }; this.afterVisibleChange = function (visible) { if (visible && _this2.getMinOverlayWidthMatchTrigger()) { var overlayNode = _this2.getPopupDomNode(); var rootNode = __WEBPACK_IMPORTED_MODULE_2_react_dom___default.a.findDOMNode(_this2); if (rootNode && overlayNode && rootNode.offsetWidth > overlayNode.offsetWidth) { overlayNode.style.minWidth = rootNode.offsetWidth + 'px'; if (_this2.trigger && _this2.trigger._component && _this2.trigger._component.alignInstance) { _this2.trigger._component.alignInstance.forceAlign(); } } } }; this.saveTrigger = function (node) { _this2.trigger = node; }; }; Object(__WEBPACK_IMPORTED_MODULE_6_react_lifecycles_compat__["polyfill"])(Dropdown); /* harmony default export */ __webpack_exports__["a"] = (Dropdown); /***/ }), /***/ 1040: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export placements */ var autoAdjustOverflow = { adjustX: 1, adjustY: 1 }; var targetOffset = [0, 0]; var placements = { topLeft: { points: ['bl', 'tl'], overflow: autoAdjustOverflow, offset: [0, -4], targetOffset: targetOffset }, topCenter: { points: ['bc', 'tc'], overflow: autoAdjustOverflow, offset: [0, -4], targetOffset: targetOffset }, topRight: { points: ['br', 'tr'], overflow: autoAdjustOverflow, offset: [0, -4], targetOffset: targetOffset }, bottomLeft: { points: ['tl', 'bl'], overflow: autoAdjustOverflow, offset: [0, 4], targetOffset: targetOffset }, bottomCenter: { points: ['tc', 'bc'], overflow: autoAdjustOverflow, offset: [0, 4], targetOffset: targetOffset }, bottomRight: { points: ['tr', 'br'], overflow: autoAdjustOverflow, offset: [0, 4], targetOffset: targetOffset } }; /* harmony default export */ __webpack_exports__["a"] = (placements); /***/ }), /***/ 1042: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _button = _interopRequireDefault(__webpack_require__(73)); var _configProvider = __webpack_require__(9); var _dropdown = _interopRequireDefault(__webpack_require__(865)); var _icon = _interopRequireDefault(__webpack_require__(25)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; var ButtonGroup = _button["default"].Group; var DropdownButton = /*#__PURE__*/ function (_React$Component) { _inherits(DropdownButton, _React$Component); function DropdownButton() { var _this; _classCallCheck(this, DropdownButton); _this = _possibleConstructorReturn(this, _getPrototypeOf(DropdownButton).apply(this, arguments)); _this.renderButton = function (_ref) { var getContextPopupContainer = _ref.getPopupContainer, getPrefixCls = _ref.getPrefixCls; var _a = _this.props, customizePrefixCls = _a.prefixCls, type = _a.type, disabled = _a.disabled, onClick = _a.onClick, htmlType = _a.htmlType, children = _a.children, className = _a.className, overlay = _a.overlay, trigger = _a.trigger, align = _a.align, visible = _a.visible, onVisibleChange = _a.onVisibleChange, placement = _a.placement, getPopupContainer = _a.getPopupContainer, href = _a.href, _a$icon = _a.icon, icon = _a$icon === void 0 ? React.createElement(_icon["default"], { type: "ellipsis" }) : _a$icon, title = _a.title, restProps = __rest(_a, ["prefixCls", "type", "disabled", "onClick", "htmlType", "children", "className", "overlay", "trigger", "align", "visible", "onVisibleChange", "placement", "getPopupContainer", "href", "icon", "title"]); var prefixCls = getPrefixCls('dropdown-button', customizePrefixCls); var dropdownProps = { align: align, overlay: overlay, disabled: disabled, trigger: disabled ? [] : trigger, onVisibleChange: onVisibleChange, placement: placement, getPopupContainer: getPopupContainer || getContextPopupContainer }; if ('visible' in _this.props) { dropdownProps.visible = visible; } return React.createElement(ButtonGroup, _extends({}, restProps, { className: (0, _classnames["default"])(prefixCls, className) }), React.createElement(_button["default"], { type: type, disabled: disabled, onClick: onClick, htmlType: htmlType, href: href, title: title }, children), React.createElement(_dropdown["default"], dropdownProps, React.createElement(_button["default"], { type: type }, icon))); }; return _this; } _createClass(DropdownButton, [{ key: "render", value: function render() { return React.createElement(_configProvider.ConfigConsumer, null, this.renderButton); } }]); return DropdownButton; }(React.Component); exports["default"] = DropdownButton; DropdownButton.defaultProps = { placement: 'bottomRight', type: 'default' }; //# sourceMappingURL=dropdown-button.js.map /***/ }), /***/ 1044: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "o", function() { return LanguageIdentifier; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "u", function() { return TokenMetadata; }); /* unused harmony export completionKindToCssClass */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "x", function() { return completionKindFromLegacyString; }); /* unused harmony export SignatureHelpTriggerKind */ /* unused harmony export DocumentHighlightKind */ /* unused harmony export isLocationLink */ /* unused harmony export symbolKindToCssClass */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return FoldingRangeKind; }); /* harmony export (immutable) */ __webpack_exports__["y"] = isResourceTextEdit; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "r", function() { return ReferenceProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "s", function() { return RenameProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return CompletionProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "t", function() { return SignatureHelpProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return HoverProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return DocumentSymbolProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return DocumentHighlightProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return DefinitionProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return DeclarationProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return ImplementationProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "w", function() { return TypeDefinitionProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return CodeLensProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CodeActionProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return DocumentFormattingEditProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return DocumentRangeFormattingEditProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "q", function() { return OnTypeFormattingEditProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "p", function() { return LinkProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ColorProviderRegistry; }); /* unused harmony export SelectionRangeRegistry */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return FoldingRangeProviderRegistry; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "v", function() { return TokenizationRegistry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__ = __webpack_require__(1895); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__modes_tokenizationRegistry_js__ = __webpack_require__(1897); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * @internal */ var LanguageIdentifier = /** @class */ (function () { function LanguageIdentifier(language, id) { this.language = language; this.id = id; } return LanguageIdentifier; }()); /** * @internal */ var TokenMetadata = /** @class */ (function () { function TokenMetadata() { } TokenMetadata.getLanguageId = function (metadata) { return (metadata & 255 /* LANGUAGEID_MASK */) >>> 0 /* LANGUAGEID_OFFSET */; }; TokenMetadata.getTokenType = function (metadata) { return (metadata & 1792 /* TOKEN_TYPE_MASK */) >>> 8 /* TOKEN_TYPE_OFFSET */; }; TokenMetadata.getFontStyle = function (metadata) { return (metadata & 14336 /* FONT_STYLE_MASK */) >>> 11 /* FONT_STYLE_OFFSET */; }; TokenMetadata.getForeground = function (metadata) { return (metadata & 8372224 /* FOREGROUND_MASK */) >>> 14 /* FOREGROUND_OFFSET */; }; TokenMetadata.getBackground = function (metadata) { return (metadata & 4286578688 /* BACKGROUND_MASK */) >>> 23 /* BACKGROUND_OFFSET */; }; TokenMetadata.getClassNameFromMetadata = function (metadata) { var foreground = this.getForeground(metadata); var className = 'mtk' + foreground; var fontStyle = this.getFontStyle(metadata); if (fontStyle & 1 /* Italic */) { className += ' mtki'; } if (fontStyle & 2 /* Bold */) { className += ' mtkb'; } if (fontStyle & 4 /* Underline */) { className += ' mtku'; } return className; }; TokenMetadata.getInlineStyleFromMetadata = function (metadata, colorMap) { var foreground = this.getForeground(metadata); var fontStyle = this.getFontStyle(metadata); var result = "color: " + colorMap[foreground] + ";"; if (fontStyle & 1 /* Italic */) { result += 'font-style: italic;'; } if (fontStyle & 2 /* Bold */) { result += 'font-weight: bold;'; } if (fontStyle & 4 /* Underline */) { result += 'text-decoration: underline;'; } return result; }; return TokenMetadata; }()); /** * @internal */ var completionKindToCssClass = (function () { var data = Object.create(null); data[0 /* Method */] = 'method'; data[1 /* Function */] = 'function'; data[2 /* Constructor */] = 'constructor'; data[3 /* Field */] = 'field'; data[4 /* Variable */] = 'variable'; data[5 /* Class */] = 'class'; data[6 /* Struct */] = 'struct'; data[7 /* Interface */] = 'interface'; data[8 /* Module */] = 'module'; data[9 /* Property */] = 'property'; data[10 /* Event */] = 'event'; data[11 /* Operator */] = 'operator'; data[12 /* Unit */] = 'unit'; data[13 /* Value */] = 'value'; data[14 /* Constant */] = 'constant'; data[15 /* Enum */] = 'enum'; data[16 /* EnumMember */] = 'enum-member'; data[17 /* Keyword */] = 'keyword'; data[25 /* Snippet */] = 'snippet'; data[18 /* Text */] = 'text'; data[19 /* Color */] = 'color'; data[20 /* File */] = 'file'; data[21 /* Reference */] = 'reference'; data[22 /* Customcolor */] = 'customcolor'; data[23 /* Folder */] = 'folder'; data[24 /* TypeParameter */] = 'type-parameter'; return function (kind) { return data[kind] || 'property'; }; })(); /** * @internal */ var completionKindFromLegacyString = (function () { var data = Object.create(null); data['method'] = 0 /* Method */; data['function'] = 1 /* Function */; data['constructor'] = 2 /* Constructor */; data['field'] = 3 /* Field */; data['variable'] = 4 /* Variable */; data['class'] = 5 /* Class */; data['struct'] = 6 /* Struct */; data['interface'] = 7 /* Interface */; data['module'] = 8 /* Module */; data['property'] = 9 /* Property */; data['event'] = 10 /* Event */; data['operator'] = 11 /* Operator */; data['unit'] = 12 /* Unit */; data['value'] = 13 /* Value */; data['constant'] = 14 /* Constant */; data['enum'] = 15 /* Enum */; data['enum-member'] = 16 /* EnumMember */; data['keyword'] = 17 /* Keyword */; data['snippet'] = 25 /* Snippet */; data['text'] = 18 /* Text */; data['color'] = 19 /* Color */; data['file'] = 20 /* File */; data['reference'] = 21 /* Reference */; data['customcolor'] = 22 /* Customcolor */; data['folder'] = 23 /* Folder */; data['type-parameter'] = 24 /* TypeParameter */; return function (value) { return data[value] || 'property'; }; })(); var SignatureHelpTriggerKind; (function (SignatureHelpTriggerKind) { SignatureHelpTriggerKind[SignatureHelpTriggerKind["Invoke"] = 1] = "Invoke"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["TriggerCharacter"] = 2] = "TriggerCharacter"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["ContentChange"] = 3] = "ContentChange"; })(SignatureHelpTriggerKind || (SignatureHelpTriggerKind = {})); /** * A document highlight kind. */ var DocumentHighlightKind; (function (DocumentHighlightKind) { /** * A textual occurrence. */ DocumentHighlightKind[DocumentHighlightKind["Text"] = 0] = "Text"; /** * Read-access of a symbol, like reading a variable. */ DocumentHighlightKind[DocumentHighlightKind["Read"] = 1] = "Read"; /** * Write-access of a symbol, like writing to a variable. */ DocumentHighlightKind[DocumentHighlightKind["Write"] = 2] = "Write"; })(DocumentHighlightKind || (DocumentHighlightKind = {})); /** * @internal */ function isLocationLink(thing) { return thing && __WEBPACK_IMPORTED_MODULE_1__base_common_uri_js__["a" /* URI */].isUri(thing.uri) && __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */].isIRange(thing.range) && (__WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */].isIRange(thing.originSelectionRange) || __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */].isIRange(thing.targetSelectionRange)); } /** * @internal */ var symbolKindToCssClass = (function () { var _fromMapping = Object.create(null); _fromMapping[0 /* File */] = 'file'; _fromMapping[1 /* Module */] = 'module'; _fromMapping[2 /* Namespace */] = 'namespace'; _fromMapping[3 /* Package */] = 'package'; _fromMapping[4 /* Class */] = 'class'; _fromMapping[5 /* Method */] = 'method'; _fromMapping[6 /* Property */] = 'property'; _fromMapping[7 /* Field */] = 'field'; _fromMapping[8 /* Constructor */] = 'constructor'; _fromMapping[9 /* Enum */] = 'enum'; _fromMapping[10 /* Interface */] = 'interface'; _fromMapping[11 /* Function */] = 'function'; _fromMapping[12 /* Variable */] = 'variable'; _fromMapping[13 /* Constant */] = 'constant'; _fromMapping[14 /* String */] = 'string'; _fromMapping[15 /* Number */] = 'number'; _fromMapping[16 /* Boolean */] = 'boolean'; _fromMapping[17 /* Array */] = 'array'; _fromMapping[18 /* Object */] = 'object'; _fromMapping[19 /* Key */] = 'key'; _fromMapping[20 /* Null */] = 'null'; _fromMapping[21 /* EnumMember */] = 'enum-member'; _fromMapping[22 /* Struct */] = 'struct'; _fromMapping[23 /* Event */] = 'event'; _fromMapping[24 /* Operator */] = 'operator'; _fromMapping[25 /* TypeParameter */] = 'type-parameter'; return function toCssClassName(kind, inline) { return "symbol-icon " + (inline ? 'inline' : 'block') + " " + (_fromMapping[kind] || 'property'); }; })(); var FoldingRangeKind = /** @class */ (function () { /** * Creates a new [FoldingRangeKind](#FoldingRangeKind). * * @param value of the kind. */ function FoldingRangeKind(value) { this.value = value; } /** * Kind for folding range representing a comment. The value of the kind is 'comment'. */ FoldingRangeKind.Comment = new FoldingRangeKind('comment'); /** * Kind for folding range representing a import. The value of the kind is 'imports'. */ FoldingRangeKind.Imports = new FoldingRangeKind('imports'); /** * Kind for folding range representing regions (for example marked by `#region`, `#endregion`). * The value of the kind is 'region'. */ FoldingRangeKind.Region = new FoldingRangeKind('region'); return FoldingRangeKind; }()); /** * @internal */ function isResourceTextEdit(thing) { return Object(__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["h" /* isObject */])(thing) && thing.resource && Array.isArray(thing.edits); } // --- feature registries ------ /** * @internal */ var ReferenceProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var RenameProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var CompletionProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var SignatureHelpProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var HoverProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var DocumentSymbolProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var DocumentHighlightProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var DefinitionProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var DeclarationProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var ImplementationProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var TypeDefinitionProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var CodeLensProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var CodeActionProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var DocumentFormattingEditProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var DocumentRangeFormattingEditProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var OnTypeFormattingEditProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var LinkProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var ColorProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var SelectionRangeRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var FoldingRangeProviderRegistry = new __WEBPACK_IMPORTED_MODULE_3__modes_languageFeatureRegistry_js__["a" /* LanguageFeatureRegistry */](); /** * @internal */ var TokenizationRegistry = new __WEBPACK_IMPORTED_MODULE_4__modes_tokenizationRegistry_js__["a" /* TokenizationRegistryImpl */](); /***/ }), /***/ 1045: /***/ (function(module, exports, __webpack_require__) { var baseAssignValue = __webpack_require__(842), eq = __webpack_require__(820); /** * This function is like `assignValue` except that it doesn't assign * `undefined` values. * * @private * @param {Object} object The object to modify. * @param {string} key The key of the property to assign. * @param {*} value The value to assign. */ function assignMergeValue(object, key, value) { if ((value !== undefined && !eq(object[key], value)) || (value === undefined && !(key in object))) { baseAssignValue(object, key, value); } } module.exports = assignMergeValue; /***/ }), /***/ 1046: /***/ (function(module, exports, __webpack_require__) { var overArg = __webpack_require__(927); /** Built-in value references. */ var getPrototype = overArg(Object.getPrototypeOf, Object); module.exports = getPrototype; /***/ }), /***/ 1047: /***/ (function(module, exports) { /** * Gets the value at `key`, unless `key` is "__proto__" or "constructor". * * @private * @param {Object} object The object to query. * @param {string} key The key of the property to get. * @returns {*} Returns the property value. */ function safeGet(object, key) { if (key === 'constructor' && typeof object[key] === 'function') { return; } if (key == '__proto__') { return; } return object[key]; } module.exports = safeGet; /***/ }), /***/ 1048: /***/ (function(module, exports, __webpack_require__) { var arrayLikeKeys = __webpack_require__(928), baseKeysIn = __webpack_require__(1235), isArrayLike = __webpack_require__(850); /** * Creates an array of the own and inherited enumerable property names of `object`. * * **Note:** Non-object values are coerced to objects. * * @static * @memberOf _ * @since 3.0.0 * @category Object * @param {Object} object The object to query. * @returns {Array} Returns the array of property names. * @example * * function Foo() { * this.a = 1; * this.b = 2; * } * * Foo.prototype.c = 3; * * _.keysIn(new Foo); * // => ['a', 'b', 'c'] (iteration order is not guaranteed) */ function keysIn(object) { return isArrayLike(object) ? arrayLikeKeys(object, true) : baseKeysIn(object); } module.exports = keysIn; /***/ }), /***/ 1049: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_mini_store__ = __webpack_require__(86); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_mini_store___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_mini_store__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__ColGroup__ = __webpack_require__(1248); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__TableHeader__ = __webpack_require__(1249); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__TableRow__ = __webpack_require__(1050); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__ExpandableRow__ = __webpack_require__(1252); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var BaseTable = /*#__PURE__*/ function (_React$Component) { _inherits(BaseTable, _React$Component); function BaseTable() { var _this; _classCallCheck(this, BaseTable); _this = _possibleConstructorReturn(this, _getPrototypeOf(BaseTable).apply(this, arguments)); _this.handleRowHover = function (isHover, key) { _this.props.store.setState({ currentHoverKey: isHover ? key : null }); }; _this.renderRows = function (renderData, indent) { var ancestorKeys = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : []; var table = _this.context.table; var columnManager = table.columnManager, components = table.components; var _table$props = table.props, prefixCls = _table$props.prefixCls, childrenColumnName = _table$props.childrenColumnName, rowClassName = _table$props.rowClassName, rowRef = _table$props.rowRef, onRowClick = _table$props.onRowClick, onRowDoubleClick = _table$props.onRowDoubleClick, onRowContextMenu = _table$props.onRowContextMenu, onRowMouseEnter = _table$props.onRowMouseEnter, onRowMouseLeave = _table$props.onRowMouseLeave, onRow = _table$props.onRow; var _this$props = _this.props, getRowKey = _this$props.getRowKey, fixed = _this$props.fixed, expander = _this$props.expander, isAnyColumnsFixed = _this$props.isAnyColumnsFixed; var rows = []; var _loop = function _loop(i) { var record = renderData[i]; var key = getRowKey(record, i); var className = typeof rowClassName === 'string' ? rowClassName : rowClassName(record, i, indent); var onHoverProps = {}; if (columnManager.isAnyColumnsFixed()) { onHoverProps.onHover = _this.handleRowHover; } var leafColumns = void 0; if (fixed === 'left') { leafColumns = columnManager.leftLeafColumns(); } else if (fixed === 'right') { leafColumns = columnManager.rightLeafColumns(); } else { leafColumns = _this.getColumns(columnManager.leafColumns()); } var rowPrefixCls = "".concat(prefixCls, "-row"); var row = __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_7__ExpandableRow__["a" /* default */], Object.assign({}, expander.props, { fixed: fixed, index: i, prefixCls: rowPrefixCls, record: record, key: key, rowKey: key, onRowClick: onRowClick, needIndentSpaced: expander.needIndentSpaced, onExpandedChange: expander.handleExpandChange }), function (expandableRow) { return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_6__TableRow__["a" /* default */], Object.assign({ fixed: fixed, indent: indent, className: className, record: record, index: i, prefixCls: rowPrefixCls, childrenColumnName: childrenColumnName, columns: leafColumns, onRow: onRow, onRowDoubleClick: onRowDoubleClick, onRowContextMenu: onRowContextMenu, onRowMouseEnter: onRowMouseEnter, onRowMouseLeave: onRowMouseLeave }, onHoverProps, { rowKey: key, ancestorKeys: ancestorKeys, ref: rowRef(record, i, indent), components: components, isAnyColumnsFixed: isAnyColumnsFixed }, expandableRow)); }); rows.push(row); expander.renderRows(_this.renderRows, rows, record, i, indent, fixed, key, ancestorKeys); }; for (var i = 0; i < renderData.length; i += 1) { _loop(i); } return rows; }; return _this; } _createClass(BaseTable, [{ key: "getColumns", value: function getColumns(cols) { var _this$props2 = this.props, _this$props2$columns = _this$props2.columns, columns = _this$props2$columns === void 0 ? [] : _this$props2$columns, fixed = _this$props2.fixed; var table = this.context.table; var prefixCls = table.props.prefixCls; return (cols || columns).map(function (column) { return _objectSpread({}, column, { className: !!column.fixed && !fixed ? __WEBPACK_IMPORTED_MODULE_3_classnames___default()("".concat(prefixCls, "-fixed-columns-in-body"), column.className) : column.className }); }); } }, { key: "render", value: function render() { var table = this.context.table; var components = table.components; var _table$props2 = table.props, prefixCls = _table$props2.prefixCls, scroll = _table$props2.scroll, data = _table$props2.data, getBodyWrapper = _table$props2.getBodyWrapper; var _this$props3 = this.props, expander = _this$props3.expander, tableClassName = _this$props3.tableClassName, hasHead = _this$props3.hasHead, hasBody = _this$props3.hasBody, fixed = _this$props3.fixed; var tableStyle = {}; if (!fixed && scroll.x) { // not set width, then use content fixed width tableStyle.width = scroll.x === true ? 'max-content' : scroll.x; } var Table = hasBody ? components.table : 'table'; var BodyWrapper = components.body.wrapper; var body; if (hasBody) { body = __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](BodyWrapper, { className: "".concat(prefixCls, "-tbody") }, this.renderRows(data, 0)); if (getBodyWrapper) { body = getBodyWrapper(body); } } var columns = this.getColumns(); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](Table, { className: tableClassName, style: tableStyle, key: "table" }, __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_4__ColGroup__["a" /* default */], { columns: columns, fixed: fixed }), hasHead && __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_5__TableHeader__["a" /* default */], { expander: expander, columns: columns, fixed: fixed }), body); } }]); return BaseTable; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); BaseTable.contextTypes = { table: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"] }; /* harmony default export */ __webpack_exports__["a"] = (Object(__WEBPACK_IMPORTED_MODULE_2_mini_store__["connect"])()(BaseTable)); /***/ }), /***/ 1050: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react_dom__ = __webpack_require__(4); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react_dom___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_react_dom__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_rc_util_es_warning__ = __webpack_require__(308); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_mini_store__ = __webpack_require__(86); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_mini_store___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_mini_store__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react_lifecycles_compat__ = __webpack_require__(7); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__TableCell__ = __webpack_require__(1251); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i < sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) >= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; } function _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i < sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) >= 0) continue; target[key] = source[key]; } return target; } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var TableRow = /*#__PURE__*/ function (_React$Component) { _inherits(TableRow, _React$Component); function TableRow() { var _this; _classCallCheck(this, TableRow); _this = _possibleConstructorReturn(this, _getPrototypeOf(TableRow).apply(this, arguments)); _this.state = {}; _this.onTriggerEvent = function (rowPropFunc, legacyFunc, additionalFunc) { var _this$props = _this.props, record = _this$props.record, index = _this$props.index; return function () { // Additional function like trigger `this.onHover` to handle self logic if (additionalFunc) { additionalFunc(); } // [Legacy] Some legacy function like `onRowClick`. for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } var event = args[0]; if (legacyFunc) { legacyFunc(record, index, event); } // Pass to the function from `onRow` if (rowPropFunc) { rowPropFunc.apply(void 0, args); } }; }; _this.onMouseEnter = function () { var _this$props2 = _this.props, onHover = _this$props2.onHover, rowKey = _this$props2.rowKey; onHover(true, rowKey); }; _this.onMouseLeave = function () { var _this$props3 = _this.props, onHover = _this$props3.onHover, rowKey = _this$props3.rowKey; onHover(false, rowKey); }; return _this; } _createClass(TableRow, [{ key: "componentDidMount", value: function componentDidMount() { if (this.state.shouldRender) { this.saveRowRef(); } } }, { key: "shouldComponentUpdate", value: function shouldComponentUpdate(nextProps) { return !!(this.props.visible || nextProps.visible); } }, { key: "componentDidUpdate", value: function componentDidUpdate() { if (this.state.shouldRender && !this.rowRef) { this.saveRowRef(); } } }, { key: "setExpandedRowHeight", value: function setExpandedRowHeight() { var _this$props4 = this.props, store = _this$props4.store, rowKey = _this$props4.rowKey; var _store$getState = store.getState(), expandedRowsHeight = _store$getState.expandedRowsHeight; var _this$rowRef$getBound = this.rowRef.getBoundingClientRect(), height = _this$rowRef$getBound.height; expandedRowsHeight = _objectSpread({}, expandedRowsHeight, _defineProperty({}, rowKey, height)); store.setState({ expandedRowsHeight: expandedRowsHeight }); } }, { key: "setRowHeight", value: function setRowHeight() { var _this$props5 = this.props, store = _this$props5.store, rowKey = _this$props5.rowKey; var _store$getState2 = store.getState(), fixedColumnsBodyRowsHeight = _store$getState2.fixedColumnsBodyRowsHeight; var _this$rowRef$getBound2 = this.rowRef.getBoundingClientRect(), height = _this$rowRef$getBound2.height; store.setState({ fixedColumnsBodyRowsHeight: _objectSpread({}, fixedColumnsBodyRowsHeight, _defineProperty({}, rowKey, height)) }); } }, { key: "getStyle", value: function getStyle() { var _this$props6 = this.props, height = _this$props6.height, visible = _this$props6.visible; if (height && height !== this.style.height) { this.style = _objectSpread({}, this.style, { height: height }); } if (!visible && !this.style.display) { this.style = _objectSpread({}, this.style, { display: 'none' }); } return this.style; } }, { key: "saveRowRef", value: function saveRowRef() { this.rowRef = __WEBPACK_IMPORTED_MODULE_1_react_dom___default.a.findDOMNode(this); var _this$props7 = this.props, isAnyColumnsFixed = _this$props7.isAnyColumnsFixed, fixed = _this$props7.fixed, expandedRow = _this$props7.expandedRow, ancestorKeys = _this$props7.ancestorKeys; if (!isAnyColumnsFixed) { return; } if (!fixed && expandedRow) { this.setExpandedRowHeight(); } if (!fixed && ancestorKeys.length >= 0) { this.setRowHeight(); } } }, { key: "render", value: function render() { if (!this.state.shouldRender) { return null; } var _this$props8 = this.props, prefixCls = _this$props8.prefixCls, columns = _this$props8.columns, record = _this$props8.record, rowKey = _this$props8.rowKey, index = _this$props8.index, onRow = _this$props8.onRow, indent = _this$props8.indent, indentSize = _this$props8.indentSize, hovered = _this$props8.hovered, height = _this$props8.height, visible = _this$props8.visible, components = _this$props8.components, hasExpandIcon = _this$props8.hasExpandIcon, renderExpandIcon = _this$props8.renderExpandIcon, renderExpandIconCell = _this$props8.renderExpandIconCell, onRowClick = _this$props8.onRowClick, onRowDoubleClick = _this$props8.onRowDoubleClick, onRowMouseEnter = _this$props8.onRowMouseEnter, onRowMouseLeave = _this$props8.onRowMouseLeave, onRowContextMenu = _this$props8.onRowContextMenu; var BodyRow = components.body.row; var BodyCell = components.body.cell; var className = this.props.className; if (hovered) { className += " ".concat(prefixCls, "-hover"); } var cells = []; renderExpandIconCell(cells); for (var i = 0; i < columns.length; i += 1) { var column = columns[i]; Object(__WEBPACK_IMPORTED_MODULE_2_rc_util_es_warning__["a" /* default */])(column.onCellClick === undefined, 'column[onCellClick] is deprecated, please use column[onCell] instead.'); cells.push(__WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_6__TableCell__["a" /* default */], { prefixCls: prefixCls, record: record, indentSize: indentSize, indent: indent, index: index, column: column, key: column.key || column.dataIndex, expandIcon: hasExpandIcon(i) && renderExpandIcon(), component: BodyCell })); } var _ref = onRow(record, index) || {}, customClassName = _ref.className, customStyle = _ref.style, rowProps = _objectWithoutProperties(_ref, ["className", "style"]); var style = { height: height }; if (!visible) { style.display = 'none'; } style = _objectSpread({}, style, {}, customStyle); var rowClassName = __WEBPACK_IMPORTED_MODULE_5_classnames___default()(prefixCls, className, "".concat(prefixCls, "-level-").concat(indent), customClassName); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](BodyRow, Object.assign({}, rowProps, { onClick: this.onTriggerEvent(rowProps.onClick, onRowClick), onDoubleClick: this.onTriggerEvent(rowProps.onDoubleClick, onRowDoubleClick), onMouseEnter: this.onTriggerEvent(rowProps.onMouseEnter, onRowMouseEnter, this.onMouseEnter), onMouseLeave: this.onTriggerEvent(rowProps.onMouseLeave, onRowMouseLeave, this.onMouseLeave), onContextMenu: this.onTriggerEvent(rowProps.onContextMenu, onRowContextMenu), className: rowClassName, style: style, "data-row-key": rowKey }), cells); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(nextProps, prevState) { if (prevState.visible || !prevState.visible && nextProps.visible) { return { shouldRender: true, visible: nextProps.visible }; } return { visible: nextProps.visible }; } }]); return TableRow; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); TableRow.defaultProps = { onRow: function onRow() {}, onHover: function onHover() {}, hasExpandIcon: function hasExpandIcon() {}, renderExpandIcon: function renderExpandIcon() {}, renderExpandIconCell: function renderExpandIconCell() {} }; function getRowHeight(state, props) { var expandedRowsHeight = state.expandedRowsHeight, fixedColumnsBodyRowsHeight = state.fixedColumnsBodyRowsHeight; var fixed = props.fixed, rowKey = props.rowKey; if (!fixed) { return null; } if (expandedRowsHeight[rowKey]) { return expandedRowsHeight[rowKey]; } if (fixedColumnsBodyRowsHeight[rowKey]) { return fixedColumnsBodyRowsHeight[rowKey]; } return null; } Object(__WEBPACK_IMPORTED_MODULE_4_react_lifecycles_compat__["polyfill"])(TableRow); /* harmony default export */ __webpack_exports__["a"] = (Object(__WEBPACK_IMPORTED_MODULE_3_mini_store__["connect"])(function (state, props) { var currentHoverKey = state.currentHoverKey, expandedRowKeys = state.expandedRowKeys; var rowKey = props.rowKey, ancestorKeys = props.ancestorKeys; var visible = ancestorKeys.length === 0 || ancestorKeys.every(function (k) { return expandedRowKeys.includes(k); }); return { visible: visible, hovered: currentHoverKey === rowKey, height: getRowHeight(state, props) }; })(TableRow)); /***/ }), /***/ 1051: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; var Column = function Column() { return null; }; /* harmony default export */ __webpack_exports__["a"] = (Column); /***/ }), /***/ 1052: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ColumnGroup; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var ColumnGroup = /*#__PURE__*/ function (_React$Component) { _inherits(ColumnGroup, _React$Component); function ColumnGroup() { _classCallCheck(this, ColumnGroup); return _possibleConstructorReturn(this, _getPrototypeOf(ColumnGroup).apply(this, arguments)); } return ColumnGroup; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); ColumnGroup.isTableColumnGroup = true; /***/ }), /***/ 1053: /***/ (function(module, exports, __webpack_require__) { "use strict"; function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } Object.defineProperty(exports, "__esModule", { value: true }); exports.flatArray = flatArray; exports.treeMap = treeMap; exports.flatFilter = flatFilter; exports.normalizeColumns = normalizeColumns; exports.generateValueMaps = generateValueMaps; var React = _interopRequireWildcard(__webpack_require__(0)); function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _nonIterableSpread(); } function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance"); } function _iterableToArray(iter) { if (Symbol.iterator in Object(iter) || Object.prototype.toString.call(iter) === "[object Arguments]") return Array.from(iter); } function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = new Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function flatArray() { var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : []; var childrenName = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 'children'; var result = []; var loop = function loop(array) { array.forEach(function (item) { if (item[childrenName]) { var newItem = _extends({}, item); delete newItem[childrenName]; result.push(newItem); if (item[childrenName].length > 0) { loop(item[childrenName]); } } else { result.push(item); } }); }; loop(data); return result; } function treeMap(tree, mapper) { var childrenName = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 'children'; return tree.map(function (node, index) { var extra = {}; if (node[childrenName]) { extra[childrenName] = treeMap(node[childrenName], mapper, childrenName); } return _extends(_extends({}, mapper(node, index)), extra); }); } function flatFilter(tree, callback) { return tree.reduce(function (acc, node) { if (callback(node)) { acc.push(node); } if (node.children) { var children = flatFilter(node.children, callback); acc.push.apply(acc, _toConsumableArray(children)); } return acc; }, []); } function normalizeColumns(elements) { var columns = []; React.Children.forEach(elements, function (element) { if (!React.isValidElement(element)) { return; } var column = _extends({}, element.props); if (element.key) { column.key = element.key; } if (element.type && element.type.__ANT_TABLE_COLUMN_GROUP) { column.children = normalizeColumns(column.children); } columns.push(column); }); return columns; } function generateValueMaps(items) { var maps = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; (items || []).forEach(function (_ref) { var value = _ref.value, children = _ref.children; maps[value.toString()] = value; generateValueMaps(children, maps); }); return maps; } //# sourceMappingURL=util.js.map /***/ }), /***/ 1057: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["c"] = isArray; /* harmony export (immutable) */ __webpack_exports__["i"] = isString; /* harmony export (immutable) */ __webpack_exports__["h"] = isObject; /* harmony export (immutable) */ __webpack_exports__["g"] = isNumber; /* harmony export (immutable) */ __webpack_exports__["d"] = isBoolean; /* harmony export (immutable) */ __webpack_exports__["j"] = isUndefined; /* harmony export (immutable) */ __webpack_exports__["k"] = isUndefinedOrNull; /* harmony export (immutable) */ __webpack_exports__["e"] = isEmptyObject; /* harmony export (immutable) */ __webpack_exports__["f"] = isFunction; /* harmony export (immutable) */ __webpack_exports__["l"] = validateConstraints; /* unused harmony export validateConstraint */ /* harmony export (immutable) */ __webpack_exports__["a"] = create; /* harmony export (immutable) */ __webpack_exports__["b"] = getAllPropertyNames; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var _typeof = { number: 'number', string: 'string', undefined: 'undefined', object: 'object', function: 'function' }; /** * @returns whether the provided parameter is a JavaScript Array or not. */ function isArray(array) { if (Array.isArray) { return Array.isArray(array); } if (array && typeof (array.length) === _typeof.number && array.constructor === Array) { return true; } return false; } /** * @returns whether the provided parameter is a JavaScript String or not. */ function isString(str) { if (typeof (str) === _typeof.string || str instanceof String) { return true; } return false; } /** * * @returns whether the provided parameter is of type `object` but **not** * `null`, an `array`, a `regexp`, nor a `date`. */ function isObject(obj) { // The method can't do a type cast since there are type (like strings) which // are subclasses of any put not positvely matched by the function. Hence type // narrowing results in wrong results. return typeof obj === _typeof.object && obj !== null && !Array.isArray(obj) && !(obj instanceof RegExp) && !(obj instanceof Date); } /** * In **contrast** to just checking `typeof` this will return `false` for `NaN`. * @returns whether the provided parameter is a JavaScript Number or not. */ function isNumber(obj) { if ((typeof (obj) === _typeof.number || obj instanceof Number) && !isNaN(obj)) { return true; } return false; } /** * @returns whether the provided parameter is a JavaScript Boolean or not. */ function isBoolean(obj) { return obj === true || obj === false; } /** * @returns whether the provided parameter is undefined. */ function isUndefined(obj) { return typeof (obj) === _typeof.undefined; } /** * @returns whether the provided parameter is undefined or null. */ function isUndefinedOrNull(obj) { return isUndefined(obj) || obj === null; } var hasOwnProperty = Object.prototype.hasOwnProperty; /** * @returns whether the provided parameter is an empty JavaScript Object or not. */ function isEmptyObject(obj) { if (!isObject(obj)) { return false; } for (var key in obj) { if (hasOwnProperty.call(obj, key)) { return false; } } return true; } /** * @returns whether the provided parameter is a JavaScript Function or not. */ function isFunction(obj) { return typeof obj === _typeof.function; } function validateConstraints(args, constraints) { var len = Math.min(args.length, constraints.length); for (var i = 0; i < len; i++) { validateConstraint(args[i], constraints[i]); } } function validateConstraint(arg, constraint) { if (isString(constraint)) { if (typeof arg !== constraint) { throw new Error("argument does not match constraint: typeof " + constraint); } } else if (isFunction(constraint)) { try { if (arg instanceof constraint) { return; } } catch (_a) { // ignore } if (!isUndefinedOrNull(arg) && arg.constructor === constraint) { return; } if (constraint.length === 1 && constraint.call(undefined, arg) === true) { return; } throw new Error("argument does not match one of these constraints: arg instanceof constraint, arg.constructor === constraint, nor constraint(arg) === true"); } } /** * Creates a new object of the provided class and will call the constructor with * any additional argument supplied. */ function create(ctor) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } var _a; if (isNativeClass(ctor)) { return new ((_a = ctor).bind.apply(_a, [void 0].concat(args)))(); } else { var obj = Object.create(ctor.prototype); ctor.apply(obj, args); return obj; } } // https://stackoverflow.com/a/32235645/1499159 function isNativeClass(thing) { return typeof thing === 'function' && thing.hasOwnProperty('prototype') && !thing.hasOwnProperty('arguments'); } /** * * */ function getAllPropertyNames(obj) { var res = []; var proto = Object.getPrototypeOf(obj); while (Object.prototype !== proto) { res = res.concat(Object.getOwnPropertyNames(proto)); proto = Object.getPrototypeOf(proto); } return res; } /***/ }), /***/ 1067: /***/ (function(module, exports, __webpack_require__) { "use strict"; __webpack_require__(27); __webpack_require__(1205); //# sourceMappingURL=css.js.map /***/ }), /***/ 1068: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _rcInputNumber = _interopRequireDefault(__webpack_require__(1207)); var _icon = _interopRequireDefault(__webpack_require__(25)); var _configProvider = __webpack_require__(9); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; var InputNumber = /*#__PURE__*/ function (_React$Component) { _inherits(InputNumber, _React$Component); function InputNumber() { var _this; _classCallCheck(this, InputNumber); _this = _possibleConstructorReturn(this, _getPrototypeOf(InputNumber).apply(this, arguments)); _this.saveInputNumber = function (inputNumberRef) { _this.inputNumberRef = inputNumberRef; }; _this.renderInputNumber = function (_ref) { var _classNames; var getPrefixCls = _ref.getPrefixCls; var _a = _this.props, className = _a.className, size = _a.size, customizePrefixCls = _a.prefixCls, others = __rest(_a, ["className", "size", "prefixCls"]); var prefixCls = getPrefixCls('input-number', customizePrefixCls); var inputNumberClass = (0, _classnames["default"])((_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-lg"), size === 'large'), _defineProperty(_classNames, "".concat(prefixCls, "-sm"), size === 'small'), _classNames), className); var upIcon = React.createElement(_icon["default"], { type: "up", className: "".concat(prefixCls, "-handler-up-inner") }); var downIcon = React.createElement(_icon["default"], { type: "down", className: "".concat(prefixCls, "-handler-down-inner") }); return React.createElement(_rcInputNumber["default"], _extends({ ref: _this.saveInputNumber, className: inputNumberClass, upHandler: upIcon, downHandler: downIcon, prefixCls: prefixCls }, others)); }; return _this; } _createClass(InputNumber, [{ key: "focus", value: function focus() { this.inputNumberRef.focus(); } }, { key: "blur", value: function blur() { this.inputNumberRef.blur(); } }, { key: "render", value: function render() { return React.createElement(_configProvider.ConfigConsumer, null, this.renderInputNumber); } }]); return InputNumber; }(React.Component); exports["default"] = InputNumber; InputNumber.defaultProps = { step: 1 }; //# sourceMappingURL=index.js.map /***/ }), /***/ 1078: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ViewPart; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PartFingerprints; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_viewModel_viewEventHandler_js__ = __webpack_require__(1398); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewPart = /** @class */ (function (_super) { __extends(ViewPart, _super); function ViewPart(context) { var _this = _super.call(this) || this; _this._context = context; _this._context.addEventHandler(_this); return _this; } ViewPart.prototype.dispose = function () { this._context.removeEventHandler(this); _super.prototype.dispose.call(this); }; return ViewPart; }(__WEBPACK_IMPORTED_MODULE_1__common_viewModel_viewEventHandler_js__["a" /* ViewEventHandler */])); var PartFingerprints = /** @class */ (function () { function PartFingerprints() { } PartFingerprints.write = function (target, partId) { if (target instanceof __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["a" /* FastDomNode */]) { target.setAttribute('data-mprt', String(partId)); } else { target.setAttribute('data-mprt', String(partId)); } }; PartFingerprints.read = function (target) { var r = target.getAttribute('data-mprt'); if (r === null) { return 0 /* None */; } return parseInt(r, 10); }; PartFingerprints.collect = function (child, stopAt) { var result = [], resultLen = 0; while (child && child !== document.body) { if (child === stopAt) { break; } if (child.nodeType === child.ELEMENT_NODE) { result[resultLen++] = this.read(child); } child = child.parentElement; } var r = new Uint8Array(resultLen); for (var i = 0; i < resultLen; i++) { r[i] = result[resultLen - i - 1]; } return r; }; return PartFingerprints; }()); /***/ }), /***/ 1091: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ContextKeyExpr; }); /* unused harmony export ContextKeyDefinedExpr */ /* unused harmony export ContextKeyEqualsExpr */ /* unused harmony export ContextKeyNotEqualsExpr */ /* unused harmony export ContextKeyNotExpr */ /* unused harmony export ContextKeyRegexExpr */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContextKeyAndExpr; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return RawContextKey; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return IContextKeyService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return SET_CONTEXT_COMMAND_ID; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ContextKeyExpr = /** @class */ (function () { function ContextKeyExpr() { } ContextKeyExpr.has = function (key) { return new ContextKeyDefinedExpr(key); }; ContextKeyExpr.equals = function (key, value) { return new ContextKeyEqualsExpr(key, value); }; ContextKeyExpr.regex = function (key, value) { return new ContextKeyRegexExpr(key, value); }; ContextKeyExpr.not = function (key) { return new ContextKeyNotExpr(key); }; ContextKeyExpr.and = function () { var expr = []; for (var _i = 0; _i < arguments.length; _i++) { expr[_i] = arguments[_i]; } return new ContextKeyAndExpr(expr); }; ContextKeyExpr.deserialize = function (serialized, strict) { var _this = this; if (strict === void 0) { strict = false; } if (!serialized) { return null; } var pieces = serialized.split('&&'); var result = new ContextKeyAndExpr(pieces.map(function (p) { return _this._deserializeOne(p, strict); })); return result.normalize(); }; ContextKeyExpr._deserializeOne = function (serializedOne, strict) { serializedOne = serializedOne.trim(); if (serializedOne.indexOf('!=') >= 0) { var pieces = serializedOne.split('!='); return new ContextKeyNotEqualsExpr(pieces[0].trim(), this._deserializeValue(pieces[1], strict)); } if (serializedOne.indexOf('==') >= 0) { var pieces = serializedOne.split('=='); return new ContextKeyEqualsExpr(pieces[0].trim(), this._deserializeValue(pieces[1], strict)); } if (serializedOne.indexOf('=~') >= 0) { var pieces = serializedOne.split('=~'); return new ContextKeyRegexExpr(pieces[0].trim(), this._deserializeRegexValue(pieces[1], strict)); } if (/^\!\s*/.test(serializedOne)) { return new ContextKeyNotExpr(serializedOne.substr(1).trim()); } return new ContextKeyDefinedExpr(serializedOne); }; ContextKeyExpr._deserializeValue = function (serializedValue, strict) { serializedValue = serializedValue.trim(); if (serializedValue === 'true') { return true; } if (serializedValue === 'false') { return false; } var m = /^'([^']*)'$/.exec(serializedValue); if (m) { return m[1].trim(); } return serializedValue; }; ContextKeyExpr._deserializeRegexValue = function (serializedValue, strict) { if (Object(__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["r" /* isFalsyOrWhitespace */])(serializedValue)) { if (strict) { throw new Error('missing regexp-value for =~-expression'); } else { console.warn('missing regexp-value for =~-expression'); } return null; } var start = serializedValue.indexOf('/'); var end = serializedValue.lastIndexOf('/'); if (start === end || start < 0 /* || to < 0 */) { if (strict) { throw new Error("bad regexp-value '" + serializedValue + "', missing /-enclosure"); } else { console.warn("bad regexp-value '" + serializedValue + "', missing /-enclosure"); } return null; } var value = serializedValue.slice(start + 1, end); var caseIgnoreFlag = serializedValue[end + 1] === 'i' ? 'i' : ''; try { return new RegExp(value, caseIgnoreFlag); } catch (e) { if (strict) { throw new Error("bad regexp-value '" + serializedValue + "', parse error: " + e); } else { console.warn("bad regexp-value '" + serializedValue + "', parse error: " + e); } return null; } }; return ContextKeyExpr; }()); function cmp(a, b) { var aType = a.getType(); var bType = b.getType(); if (aType !== bType) { return aType - bType; } switch (aType) { case 1 /* Defined */: return a.cmp(b); case 2 /* Not */: return a.cmp(b); case 3 /* Equals */: return a.cmp(b); case 4 /* NotEquals */: return a.cmp(b); case 6 /* Regex */: return a.cmp(b); default: throw new Error('Unknown ContextKeyExpr!'); } } var ContextKeyDefinedExpr = /** @class */ (function () { function ContextKeyDefinedExpr(key) { this.key = key; } ContextKeyDefinedExpr.prototype.getType = function () { return 1 /* Defined */; }; ContextKeyDefinedExpr.prototype.cmp = function (other) { if (this.key < other.key) { return -1; } if (this.key > other.key) { return 1; } return 0; }; ContextKeyDefinedExpr.prototype.equals = function (other) { if (other instanceof ContextKeyDefinedExpr) { return (this.key === other.key); } return false; }; ContextKeyDefinedExpr.prototype.evaluate = function (context) { return (!!context.getValue(this.key)); }; ContextKeyDefinedExpr.prototype.normalize = function () { return this; }; ContextKeyDefinedExpr.prototype.keys = function () { return [this.key]; }; return ContextKeyDefinedExpr; }()); var ContextKeyEqualsExpr = /** @class */ (function () { function ContextKeyEqualsExpr(key, value) { this.key = key; this.value = value; } ContextKeyEqualsExpr.prototype.getType = function () { return 3 /* Equals */; }; ContextKeyEqualsExpr.prototype.cmp = function (other) { if (this.key < other.key) { return -1; } if (this.key > other.key) { return 1; } if (this.value < other.value) { return -1; } if (this.value > other.value) { return 1; } return 0; }; ContextKeyEqualsExpr.prototype.equals = function (other) { if (other instanceof ContextKeyEqualsExpr) { return (this.key === other.key && this.value === other.value); } return false; }; ContextKeyEqualsExpr.prototype.evaluate = function (context) { /* tslint:disable:triple-equals */ // Intentional == return (context.getValue(this.key) == this.value); /* tslint:enable:triple-equals */ }; ContextKeyEqualsExpr.prototype.normalize = function () { if (typeof this.value === 'boolean') { if (this.value) { return new ContextKeyDefinedExpr(this.key); } return new ContextKeyNotExpr(this.key); } return this; }; ContextKeyEqualsExpr.prototype.keys = function () { return [this.key]; }; return ContextKeyEqualsExpr; }()); var ContextKeyNotEqualsExpr = /** @class */ (function () { function ContextKeyNotEqualsExpr(key, value) { this.key = key; this.value = value; } ContextKeyNotEqualsExpr.prototype.getType = function () { return 4 /* NotEquals */; }; ContextKeyNotEqualsExpr.prototype.cmp = function (other) { if (this.key < other.key) { return -1; } if (this.key > other.key) { return 1; } if (this.value < other.value) { return -1; } if (this.value > other.value) { return 1; } return 0; }; ContextKeyNotEqualsExpr.prototype.equals = function (other) { if (other instanceof ContextKeyNotEqualsExpr) { return (this.key === other.key && this.value === other.value); } return false; }; ContextKeyNotEqualsExpr.prototype.evaluate = function (context) { /* tslint:disable:triple-equals */ // Intentional != return (context.getValue(this.key) != this.value); /* tslint:enable:triple-equals */ }; ContextKeyNotEqualsExpr.prototype.normalize = function () { if (typeof this.value === 'boolean') { if (this.value) { return new ContextKeyNotExpr(this.key); } return new ContextKeyDefinedExpr(this.key); } return this; }; ContextKeyNotEqualsExpr.prototype.keys = function () { return [this.key]; }; return ContextKeyNotEqualsExpr; }()); var ContextKeyNotExpr = /** @class */ (function () { function ContextKeyNotExpr(key) { this.key = key; } ContextKeyNotExpr.prototype.getType = function () { return 2 /* Not */; }; ContextKeyNotExpr.prototype.cmp = function (other) { if (this.key < other.key) { return -1; } if (this.key > other.key) { return 1; } return 0; }; ContextKeyNotExpr.prototype.equals = function (other) { if (other instanceof ContextKeyNotExpr) { return (this.key === other.key); } return false; }; ContextKeyNotExpr.prototype.evaluate = function (context) { return (!context.getValue(this.key)); }; ContextKeyNotExpr.prototype.normalize = function () { return this; }; ContextKeyNotExpr.prototype.keys = function () { return [this.key]; }; return ContextKeyNotExpr; }()); var ContextKeyRegexExpr = /** @class */ (function () { function ContextKeyRegexExpr(key, regexp) { this.key = key; this.regexp = regexp; // } ContextKeyRegexExpr.prototype.getType = function () { return 6 /* Regex */; }; ContextKeyRegexExpr.prototype.cmp = function (other) { if (this.key < other.key) { return -1; } if (this.key > other.key) { return 1; } var thisSource = this.regexp ? this.regexp.source : ''; var otherSource = other.regexp ? other.regexp.source : ''; if (thisSource < otherSource) { return -1; } if (thisSource > otherSource) { return 1; } return 0; }; ContextKeyRegexExpr.prototype.equals = function (other) { if (other instanceof ContextKeyRegexExpr) { var thisSource = this.regexp ? this.regexp.source : ''; var otherSource = other.regexp ? other.regexp.source : ''; return (this.key === other.key && thisSource === otherSource); } return false; }; ContextKeyRegexExpr.prototype.evaluate = function (context) { var value = context.getValue(this.key); return this.regexp ? this.regexp.test(value) : false; }; ContextKeyRegexExpr.prototype.normalize = function () { return this; }; ContextKeyRegexExpr.prototype.keys = function () { return [this.key]; }; return ContextKeyRegexExpr; }()); var ContextKeyAndExpr = /** @class */ (function () { function ContextKeyAndExpr(expr) { this.expr = ContextKeyAndExpr._normalizeArr(expr); } ContextKeyAndExpr.prototype.getType = function () { return 5 /* And */; }; ContextKeyAndExpr.prototype.equals = function (other) { if (other instanceof ContextKeyAndExpr) { if (this.expr.length !== other.expr.length) { return false; } for (var i = 0, len = this.expr.length; i < len; i++) { if (!this.expr[i].equals(other.expr[i])) { return false; } } return true; } return false; }; ContextKeyAndExpr.prototype.evaluate = function (context) { for (var i = 0, len = this.expr.length; i < len; i++) { if (!this.expr[i].evaluate(context)) { return false; } } return true; }; ContextKeyAndExpr._normalizeArr = function (arr) { var expr = []; if (arr) { for (var i = 0, len = arr.length; i < len; i++) { var e = arr[i]; if (!e) { continue; } e = e.normalize(); if (!e) { continue; } if (e instanceof ContextKeyAndExpr) { expr = expr.concat(e.expr); continue; } expr.push(e); } expr.sort(cmp); } return expr; }; ContextKeyAndExpr.prototype.normalize = function () { if (this.expr.length === 0) { return null; } if (this.expr.length === 1) { return this.expr[0]; } return this; }; ContextKeyAndExpr.prototype.keys = function () { var result = []; for (var _i = 0, _a = this.expr; _i < _a.length; _i++) { var expr = _a[_i]; result.push.apply(result, expr.keys()); } return result; }; return ContextKeyAndExpr; }()); var RawContextKey = /** @class */ (function (_super) { __extends(RawContextKey, _super); function RawContextKey(key, defaultValue) { var _this = _super.call(this, key) || this; _this._defaultValue = defaultValue; return _this; } RawContextKey.prototype.bindTo = function (target) { return target.createKey(this.key, this._defaultValue); }; RawContextKey.prototype.getValue = function (target) { return target.getContextKeyValue(this.key); }; RawContextKey.prototype.toNegated = function () { return ContextKeyExpr.not(this.key); }; return RawContextKey; }(ContextKeyDefinedExpr)); var IContextKeyService = Object(__WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__["c" /* createDecorator */])('contextKeyService'); var SET_CONTEXT_COMMAND_ID = 'setContext'; /***/ }), /***/ 1141: /***/ (function(module, exports, __webpack_require__) { "use strict"; __webpack_require__(27); __webpack_require__(1212); __webpack_require__(179); __webpack_require__(170); __webpack_require__(295); __webpack_require__(924); __webpack_require__(71); __webpack_require__(848); //# sourceMappingURL=css.js.map /***/ }), /***/ 1142: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var _Table = _interopRequireDefault(__webpack_require__(1217)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } var _default = _Table["default"]; exports["default"] = _default; //# sourceMappingURL=index.js.map /***/ }), /***/ 1148: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Selection; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * A selection in the editor. * The selection is a range that has an orientation. */ var Selection = /** @class */ (function (_super) { __extends(Selection, _super); function Selection(selectionStartLineNumber, selectionStartColumn, positionLineNumber, positionColumn) { var _this = _super.call(this, selectionStartLineNumber, selectionStartColumn, positionLineNumber, positionColumn) || this; _this.selectionStartLineNumber = selectionStartLineNumber; _this.selectionStartColumn = selectionStartColumn; _this.positionLineNumber = positionLineNumber; _this.positionColumn = positionColumn; return _this; } /** * Clone this selection. */ Selection.prototype.clone = function () { return new Selection(this.selectionStartLineNumber, this.selectionStartColumn, this.positionLineNumber, this.positionColumn); }; /** * Transform to a human-readable representation. */ Selection.prototype.toString = function () { return '[' + this.selectionStartLineNumber + ',' + this.selectionStartColumn + ' -> ' + this.positionLineNumber + ',' + this.positionColumn + ']'; }; /** * Test if equals other selection. */ Selection.prototype.equalsSelection = function (other) { return (Selection.selectionsEqual(this, other)); }; /** * Test if the two selections are equal. */ Selection.selectionsEqual = function (a, b) { return (a.selectionStartLineNumber === b.selectionStartLineNumber && a.selectionStartColumn === b.selectionStartColumn && a.positionLineNumber === b.positionLineNumber && a.positionColumn === b.positionColumn); }; /** * Get directions (LTR or RTL). */ Selection.prototype.getDirection = function () { if (this.selectionStartLineNumber === this.startLineNumber && this.selectionStartColumn === this.startColumn) { return 0 /* LTR */; } return 1 /* RTL */; }; /** * Create a new selection with a different `positionLineNumber` and `positionColumn`. */ Selection.prototype.setEndPosition = function (endLineNumber, endColumn) { if (this.getDirection() === 0 /* LTR */) { return new Selection(this.startLineNumber, this.startColumn, endLineNumber, endColumn); } return new Selection(endLineNumber, endColumn, this.startLineNumber, this.startColumn); }; /** * Get the position at `positionLineNumber` and `positionColumn`. */ Selection.prototype.getPosition = function () { return new __WEBPACK_IMPORTED_MODULE_0__position_js__["a" /* Position */](this.positionLineNumber, this.positionColumn); }; /** * Create a new selection with a different `selectionStartLineNumber` and `selectionStartColumn`. */ Selection.prototype.setStartPosition = function (startLineNumber, startColumn) { if (this.getDirection() === 0 /* LTR */) { return new Selection(startLineNumber, startColumn, this.endLineNumber, this.endColumn); } return new Selection(this.endLineNumber, this.endColumn, startLineNumber, startColumn); }; // ---- /** * Create a `Selection` from one or two positions */ Selection.fromPositions = function (start, end) { if (end === void 0) { end = start; } return new Selection(start.lineNumber, start.column, end.lineNumber, end.column); }; /** * Create a `Selection` from an `ISelection`. */ Selection.liftSelection = function (sel) { return new Selection(sel.selectionStartLineNumber, sel.selectionStartColumn, sel.positionLineNumber, sel.positionColumn); }; /** * `a` equals `b`. */ Selection.selectionsArrEqual = function (a, b) { if (a && !b || !a && b) { return false; } if (!a && !b) { return true; } if (a.length !== b.length) { return false; } for (var i = 0, len = a.length; i < len; i++) { if (!this.selectionsEqual(a[i], b[i])) { return false; } } return true; }; /** * Test if `obj` is an `ISelection`. */ Selection.isISelection = function (obj) { return (obj && (typeof obj.selectionStartLineNumber === 'number') && (typeof obj.selectionStartColumn === 'number') && (typeof obj.positionLineNumber === 'number') && (typeof obj.positionColumn === 'number')); }; /** * Create with a direction. */ Selection.createWithDirection = function (startLineNumber, startColumn, endLineNumber, endColumn, direction) { if (direction === 0 /* LTR */) { return new Selection(startLineNumber, startColumn, endLineNumber, endColumn); } return new Selection(endLineNumber, endColumn, startLineNumber, startColumn); }; return Selection; }(__WEBPACK_IMPORTED_MODULE_1__range_js__["a" /* Range */])); /***/ }), /***/ 1149: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["c"] = getZoomLevel; /* harmony export (immutable) */ __webpack_exports__["b"] = getTimeSinceLastZoomLevelChanged; /* harmony export (immutable) */ __webpack_exports__["o"] = onDidChangeZoomLevel; /* harmony export (immutable) */ __webpack_exports__["a"] = getPixelRatio; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return isIE; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return isEdge; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return isEdgeOrIE; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return isFirefox; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return isWebKit; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return isChrome; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return isSafari; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return isWebkitWebView; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return isIPad; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return isEdgeWebView; }); /* harmony export (immutable) */ __webpack_exports__["d"] = hasClipboardSupport; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var WindowManager = /** @class */ (function () { function WindowManager() { // --- Zoom Level this._zoomLevel = 0; this._lastZoomLevelChangeTime = 0; this._onDidChangeZoomLevel = new __WEBPACK_IMPORTED_MODULE_0__common_event_js__["a" /* Emitter */](); this.onDidChangeZoomLevel = this._onDidChangeZoomLevel.event; } WindowManager.prototype.getZoomLevel = function () { return this._zoomLevel; }; WindowManager.prototype.getTimeSinceLastZoomLevelChanged = function () { return Date.now() - this._lastZoomLevelChangeTime; }; // --- Pixel Ratio WindowManager.prototype.getPixelRatio = function () { var ctx = document.createElement('canvas').getContext('2d'); var dpr = window.devicePixelRatio || 1; var bsr = ctx.webkitBackingStorePixelRatio || ctx.mozBackingStorePixelRatio || ctx.msBackingStorePixelRatio || ctx.oBackingStorePixelRatio || ctx.backingStorePixelRatio || 1; return dpr / bsr; }; WindowManager.INSTANCE = new WindowManager(); return WindowManager; }()); function getZoomLevel() { return WindowManager.INSTANCE.getZoomLevel(); } /** Returns the time (in ms) since the zoom level was changed */ function getTimeSinceLastZoomLevelChanged() { return WindowManager.INSTANCE.getTimeSinceLastZoomLevelChanged(); } function onDidChangeZoomLevel(callback) { return WindowManager.INSTANCE.onDidChangeZoomLevel(callback); } function getPixelRatio() { return WindowManager.INSTANCE.getPixelRatio(); } var userAgent = navigator.userAgent; var isIE = (userAgent.indexOf('Trident') >= 0); var isEdge = (userAgent.indexOf('Edge/') >= 0); var isEdgeOrIE = isIE || isEdge; var isFirefox = (userAgent.indexOf('Firefox') >= 0); var isWebKit = (userAgent.indexOf('AppleWebKit') >= 0); var isChrome = (userAgent.indexOf('Chrome') >= 0); var isSafari = (!isChrome && (userAgent.indexOf('Safari') >= 0)); var isWebkitWebView = (!isChrome && !isSafari && isWebKit); var isIPad = (userAgent.indexOf('iPad') >= 0); var isEdgeWebView = isEdge && (userAgent.indexOf('WebView/') >= 0); function hasClipboardSupport() { if (isIE) { return false; } if (isEdge) { var index = userAgent.indexOf('Edge/'); var version = parseInt(userAgent.substring(index + 5, userAgent.indexOf('.', index)), 10); if (!version || (version >= 12 && version <= 16)) { return false; } } return true; } /***/ }), /***/ 1202: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["j"] = tail; /* harmony export (immutable) */ __webpack_exports__["k"] = tail2; /* harmony export (immutable) */ __webpack_exports__["d"] = equals; /* unused harmony export binarySearch */ /* unused harmony export findFirstInSorted */ /* harmony export (immutable) */ __webpack_exports__["h"] = mergeSort; /* unused harmony export groupBy */ /* harmony export (immutable) */ __webpack_exports__["b"] = coalesce; /* harmony export (immutable) */ __webpack_exports__["g"] = isFalsyOrEmpty; /* unused harmony export isNonEmptyArray */ /* harmony export (immutable) */ __webpack_exports__["c"] = distinct; /* harmony export (immutable) */ __webpack_exports__["f"] = firstIndex; /* harmony export (immutable) */ __webpack_exports__["e"] = first; /* unused harmony export flatten */ /* harmony export (immutable) */ __webpack_exports__["i"] = range; /* harmony export (immutable) */ __webpack_exports__["a"] = arrayInsert; /** * Returns the last element of an array. * @param array The array. * @param n Which element from the end (default is zero). */ function tail(array, n) { if (n === void 0) { n = 0; } return array[array.length - (1 + n)]; } function tail2(arr) { if (arr.length === 0) { throw new Error('Invalid tail call'); } return [arr.slice(0, arr.length - 1), arr[arr.length - 1]]; } function equals(one, other, itemEquals) { if (itemEquals === void 0) { itemEquals = function (a, b) { return a === b; }; } if (one === other) { return true; } if (!one || !other) { return false; } if (one.length !== other.length) { return false; } for (var i = 0, len = one.length; i < len; i++) { if (!itemEquals(one[i], other[i])) { return false; } } return true; } function binarySearch(array, key, comparator) { var low = 0, high = array.length - 1; while (low <= high) { var mid = ((low + high) / 2) | 0; var comp = comparator(array[mid], key); if (comp < 0) { low = mid + 1; } else if (comp > 0) { high = mid - 1; } else { return mid; } } return -(low + 1); } /** * Takes a sorted array and a function p. The array is sorted in such a way that all elements where p(x) is false * are located before all elements where p(x) is true. * @returns the least x for which p(x) is true or array.length if no element fullfills the given function. */ function findFirstInSorted(array, p) { var low = 0, high = array.length; if (high === 0) { return 0; // no children } while (low < high) { var mid = Math.floor((low + high) / 2); if (p(array[mid])) { high = mid; } else { low = mid + 1; } } return low; } /** * Like `Array#sort` but always stable. Usually runs a little slower `than Array#sort` * so only use this when actually needing stable sort. */ function mergeSort(data, compare) { _sort(data, compare, 0, data.length - 1, []); return data; } function _merge(a, compare, lo, mid, hi, aux) { var leftIdx = lo, rightIdx = mid + 1; for (var i = lo; i <= hi; i++) { aux[i] = a[i]; } for (var i = lo; i <= hi; i++) { if (leftIdx > mid) { // left side consumed a[i] = aux[rightIdx++]; } else if (rightIdx > hi) { // right side consumed a[i] = aux[leftIdx++]; } else if (compare(aux[rightIdx], aux[leftIdx]) < 0) { // right element is less -> comes first a[i] = aux[rightIdx++]; } else { // left element comes first (less or equal) a[i] = aux[leftIdx++]; } } } function _sort(a, compare, lo, hi, aux) { if (hi <= lo) { return; } var mid = lo + ((hi - lo) / 2) | 0; _sort(a, compare, lo, mid, aux); _sort(a, compare, mid + 1, hi, aux); if (compare(a[mid], a[mid + 1]) <= 0) { // left and right are sorted and if the last-left element is less // or equals than the first-right element there is nothing else // to do return; } _merge(a, compare, lo, mid, hi, aux); } function groupBy(data, compare) { var result = []; var currentGroup = undefined; for (var _i = 0, _a = mergeSort(data.slice(0), compare); _i < _a.length; _i++) { var element = _a[_i]; if (!currentGroup || compare(currentGroup[0], element) !== 0) { currentGroup = [element]; result.push(currentGroup); } else { currentGroup.push(element); } } return result; } /** * @returns a new array with all falsy values removed. The original array IS NOT modified. */ function coalesce(array) { if (!array) { return array; } return array.filter(function (e) { return !!e; }); } /** * @returns false if the provided object is an array and not empty. */ function isFalsyOrEmpty(obj) { return !Array.isArray(obj) || obj.length === 0; } /** * @returns True if the provided object is an array and has at least one element. */ function isNonEmptyArray(obj) { return Array.isArray(obj) && obj.length > 0; } /** * Removes duplicates from the given array. The optional keyFn allows to specify * how elements are checked for equalness by returning a unique string for each. */ function distinct(array, keyFn) { if (!keyFn) { return array.filter(function (element, position) { return array.indexOf(element) === position; }); } var seen = Object.create(null); return array.filter(function (elem) { var key = keyFn(elem); if (seen[key]) { return false; } seen[key] = true; return true; }); } function firstIndex(array, fn) { for (var i = 0; i < array.length; i++) { var element = array[i]; if (fn(element)) { return i; } } return -1; } function first(array, fn, notFoundValue) { if (notFoundValue === void 0) { notFoundValue = null; } var index = firstIndex(array, fn); return index < 0 ? notFoundValue : array[index]; } function flatten(arr) { var _a; return (_a = []).concat.apply(_a, arr); } function range(arg, to) { var from = typeof to === 'number' ? arg : 0; if (typeof to === 'number') { from = arg; } else { from = 0; to = arg; } var result = []; if (from <= to) { for (var i = from; i < to; i++) { result.push(i); } } else { for (var i = from; i > to; i--) { result.push(i); } } return result; } /** * Insert `insertArr` inside `target` at `insertIndex`. * Please don't touch unless you understand https://jsperf.com/inserting-an-array-within-an-array */ function arrayInsert(target, insertIndex, insertArr) { var before = target.slice(0, insertIndex); var after = target.slice(insertIndex); return before.concat(insertArr, after); } /***/ }), /***/ 1203: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Registry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_assert_js__ = __webpack_require__(1683); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var RegistryImpl = /** @class */ (function () { function RegistryImpl() { this.data = {}; } RegistryImpl.prototype.add = function (id, data) { __WEBPACK_IMPORTED_MODULE_1__base_common_assert_js__["a" /* ok */](__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["i" /* isString */](id)); __WEBPACK_IMPORTED_MODULE_1__base_common_assert_js__["a" /* ok */](__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["h" /* isObject */](data)); __WEBPACK_IMPORTED_MODULE_1__base_common_assert_js__["a" /* ok */](!this.data.hasOwnProperty(id), 'There is already an extension with this id'); this.data[id] = data; }; RegistryImpl.prototype.as = function (id) { return this.data[id] || null; }; return RegistryImpl; }()); var Registry = new RegistryImpl(); /***/ }), /***/ 1204: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return CursorConfiguration; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return SingleCursorState; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return CursorContext; }); /* unused harmony export PartialModelCursorState */ /* unused harmony export PartialViewCursorState */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return CursorState; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return EditOperationResult; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CursorColumns; }); /* harmony export (immutable) */ __webpack_exports__["g"] = isQuote; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__model_textModel_js__ = __webpack_require__(1451); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__modes_languageConfigurationRegistry_js__ = __webpack_require__(1327); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var autoCloseAlways = function (_) { return true; }; var autoCloseNever = function (_) { return false; }; var autoCloseBeforeWhitespace = function (chr) { return (chr === ' ' || chr === '\t'); }; var CursorConfiguration = /** @class */ (function () { function CursorConfiguration(languageIdentifier, modelOptions, configuration) { this._languageIdentifier = languageIdentifier; var c = configuration.editor; this.readOnly = c.readOnly; this.tabSize = modelOptions.tabSize; this.indentSize = modelOptions.indentSize; this.insertSpaces = modelOptions.insertSpaces; this.pageSize = Math.max(1, Math.floor(c.layoutInfo.height / c.fontInfo.lineHeight) - 2); this.lineHeight = c.lineHeight; this.useTabStops = c.useTabStops; this.wordSeparators = c.wordSeparators; this.emptySelectionClipboard = c.emptySelectionClipboard; this.copyWithSyntaxHighlighting = c.copyWithSyntaxHighlighting; this.multiCursorMergeOverlapping = c.multiCursorMergeOverlapping; this.autoClosingBrackets = c.autoClosingBrackets; this.autoClosingQuotes = c.autoClosingQuotes; this.autoSurround = c.autoSurround; this.autoIndent = c.autoIndent; this.autoClosingPairsOpen = {}; this.autoClosingPairsClose = {}; this.surroundingPairs = {}; this._electricChars = null; this.shouldAutoCloseBefore = { quote: CursorConfiguration._getShouldAutoClose(languageIdentifier, this.autoClosingQuotes), bracket: CursorConfiguration._getShouldAutoClose(languageIdentifier, this.autoClosingBrackets) }; var autoClosingPairs = CursorConfiguration._getAutoClosingPairs(languageIdentifier); if (autoClosingPairs) { for (var _i = 0, autoClosingPairs_1 = autoClosingPairs; _i < autoClosingPairs_1.length; _i++) { var pair = autoClosingPairs_1[_i]; this.autoClosingPairsOpen[pair.open] = pair.close; this.autoClosingPairsClose[pair.close] = pair.open; } } var surroundingPairs = CursorConfiguration._getSurroundingPairs(languageIdentifier); if (surroundingPairs) { for (var _a = 0, surroundingPairs_1 = surroundingPairs; _a < surroundingPairs_1.length; _a++) { var pair = surroundingPairs_1[_a]; this.surroundingPairs[pair.open] = pair.close; } } } CursorConfiguration.shouldRecreate = function (e) { return (e.layoutInfo || e.wordSeparators || e.emptySelectionClipboard || e.multiCursorMergeOverlapping || e.autoClosingBrackets || e.autoClosingQuotes || e.autoSurround || e.useTabStops || e.lineHeight || e.readOnly); }; Object.defineProperty(CursorConfiguration.prototype, "electricChars", { get: function () { if (!this._electricChars) { this._electricChars = {}; var electricChars = CursorConfiguration._getElectricCharacters(this._languageIdentifier); if (electricChars) { for (var _i = 0, electricChars_1 = electricChars; _i < electricChars_1.length; _i++) { var char = electricChars_1[_i]; this._electricChars[char] = true; } } } return this._electricChars; }, enumerable: true, configurable: true }); CursorConfiguration.prototype.normalizeIndentation = function (str) { return __WEBPACK_IMPORTED_MODULE_5__model_textModel_js__["b" /* TextModel */].normalizeIndentation(str, this.indentSize, this.insertSpaces); }; CursorConfiguration._getElectricCharacters = function (languageIdentifier) { try { return __WEBPACK_IMPORTED_MODULE_6__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getElectricCharacters(languageIdentifier.id); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); return null; } }; CursorConfiguration._getAutoClosingPairs = function (languageIdentifier) { try { return __WEBPACK_IMPORTED_MODULE_6__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getAutoClosingPairs(languageIdentifier.id); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); return null; } }; CursorConfiguration._getShouldAutoClose = function (languageIdentifier, autoCloseConfig) { switch (autoCloseConfig) { case 'beforeWhitespace': return autoCloseBeforeWhitespace; case 'languageDefined': return CursorConfiguration._getLanguageDefinedShouldAutoClose(languageIdentifier); case 'always': return autoCloseAlways; case 'never': return autoCloseNever; } }; CursorConfiguration._getLanguageDefinedShouldAutoClose = function (languageIdentifier) { try { var autoCloseBeforeSet_1 = __WEBPACK_IMPORTED_MODULE_6__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getAutoCloseBeforeSet(languageIdentifier.id); return function (c) { return autoCloseBeforeSet_1.indexOf(c) !== -1; }; } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); return autoCloseNever; } }; CursorConfiguration._getSurroundingPairs = function (languageIdentifier) { try { return __WEBPACK_IMPORTED_MODULE_6__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getSurroundingPairs(languageIdentifier.id); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); return null; } }; return CursorConfiguration; }()); /** * Represents the cursor state on either the model or on the view model. */ var SingleCursorState = /** @class */ (function () { function SingleCursorState(selectionStart, selectionStartLeftoverVisibleColumns, position, leftoverVisibleColumns) { this.selectionStart = selectionStart; this.selectionStartLeftoverVisibleColumns = selectionStartLeftoverVisibleColumns; this.position = position; this.leftoverVisibleColumns = leftoverVisibleColumns; this.selection = SingleCursorState._computeSelection(this.selectionStart, this.position); } SingleCursorState.prototype.equals = function (other) { return (this.selectionStartLeftoverVisibleColumns === other.selectionStartLeftoverVisibleColumns && this.leftoverVisibleColumns === other.leftoverVisibleColumns && this.position.equals(other.position) && this.selectionStart.equalsRange(other.selectionStart)); }; SingleCursorState.prototype.hasSelection = function () { return (!this.selection.isEmpty() || !this.selectionStart.isEmpty()); }; SingleCursorState.prototype.move = function (inSelectionMode, lineNumber, column, leftoverVisibleColumns) { if (inSelectionMode) { // move just position return new SingleCursorState(this.selectionStart, this.selectionStartLeftoverVisibleColumns, new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](lineNumber, column), leftoverVisibleColumns); } else { // move everything return new SingleCursorState(new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](lineNumber, column, lineNumber, column), leftoverVisibleColumns, new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](lineNumber, column), leftoverVisibleColumns); } }; SingleCursorState._computeSelection = function (selectionStart, position) { var startLineNumber, startColumn, endLineNumber, endColumn; if (selectionStart.isEmpty()) { startLineNumber = selectionStart.startLineNumber; startColumn = selectionStart.startColumn; endLineNumber = position.lineNumber; endColumn = position.column; } else { if (position.isBeforeOrEqual(selectionStart.getStartPosition())) { startLineNumber = selectionStart.endLineNumber; startColumn = selectionStart.endColumn; endLineNumber = position.lineNumber; endColumn = position.column; } else { startLineNumber = selectionStart.startLineNumber; startColumn = selectionStart.startColumn; endLineNumber = position.lineNumber; endColumn = position.column; } } return new __WEBPACK_IMPORTED_MODULE_4__core_selection_js__["a" /* Selection */](startLineNumber, startColumn, endLineNumber, endColumn); }; return SingleCursorState; }()); var CursorContext = /** @class */ (function () { function CursorContext(configuration, model, viewModel) { this.model = model; this.viewModel = viewModel; this.config = new CursorConfiguration(this.model.getLanguageIdentifier(), this.model.getOptions(), configuration); } CursorContext.prototype.validateViewPosition = function (viewPosition, modelPosition) { return this.viewModel.coordinatesConverter.validateViewPosition(viewPosition, modelPosition); }; CursorContext.prototype.validateViewRange = function (viewRange, expectedModelRange) { return this.viewModel.coordinatesConverter.validateViewRange(viewRange, expectedModelRange); }; CursorContext.prototype.convertViewRangeToModelRange = function (viewRange) { return this.viewModel.coordinatesConverter.convertViewRangeToModelRange(viewRange); }; CursorContext.prototype.convertViewPositionToModelPosition = function (lineNumber, column) { return this.viewModel.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](lineNumber, column)); }; CursorContext.prototype.convertModelPositionToViewPosition = function (modelPosition) { return this.viewModel.coordinatesConverter.convertModelPositionToViewPosition(modelPosition); }; CursorContext.prototype.convertModelRangeToViewRange = function (modelRange) { return this.viewModel.coordinatesConverter.convertModelRangeToViewRange(modelRange); }; CursorContext.prototype.getCurrentScrollTop = function () { return this.viewModel.viewLayout.getCurrentScrollTop(); }; CursorContext.prototype.getCompletelyVisibleViewRange = function () { return this.viewModel.getCompletelyVisibleViewRange(); }; CursorContext.prototype.getCompletelyVisibleModelRange = function () { var viewRange = this.viewModel.getCompletelyVisibleViewRange(); return this.viewModel.coordinatesConverter.convertViewRangeToModelRange(viewRange); }; CursorContext.prototype.getCompletelyVisibleViewRangeAtScrollTop = function (scrollTop) { return this.viewModel.getCompletelyVisibleViewRangeAtScrollTop(scrollTop); }; CursorContext.prototype.getVerticalOffsetForViewLine = function (viewLineNumber) { return this.viewModel.viewLayout.getVerticalOffsetForLineNumber(viewLineNumber); }; return CursorContext; }()); var PartialModelCursorState = /** @class */ (function () { function PartialModelCursorState(modelState) { this.modelState = modelState; this.viewState = null; } return PartialModelCursorState; }()); var PartialViewCursorState = /** @class */ (function () { function PartialViewCursorState(viewState) { this.modelState = null; this.viewState = viewState; } return PartialViewCursorState; }()); var CursorState = /** @class */ (function () { function CursorState(modelState, viewState) { this.modelState = modelState; this.viewState = viewState; } CursorState.fromModelState = function (modelState) { return new PartialModelCursorState(modelState); }; CursorState.fromViewState = function (viewState) { return new PartialViewCursorState(viewState); }; CursorState.fromModelSelection = function (modelSelection) { var selectionStartLineNumber = modelSelection.selectionStartLineNumber; var selectionStartColumn = modelSelection.selectionStartColumn; var positionLineNumber = modelSelection.positionLineNumber; var positionColumn = modelSelection.positionColumn; var modelState = new SingleCursorState(new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](selectionStartLineNumber, selectionStartColumn, selectionStartLineNumber, selectionStartColumn), 0, new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](positionLineNumber, positionColumn), 0); return CursorState.fromModelState(modelState); }; CursorState.fromModelSelections = function (modelSelections) { var states = []; for (var i = 0, len = modelSelections.length; i < len; i++) { states[i] = this.fromModelSelection(modelSelections[i]); } return states; }; CursorState.prototype.equals = function (other) { return (this.viewState.equals(other.viewState) && this.modelState.equals(other.modelState)); }; return CursorState; }()); var EditOperationResult = /** @class */ (function () { function EditOperationResult(type, commands, opts) { this.type = type; this.commands = commands; this.shouldPushStackElementBefore = opts.shouldPushStackElementBefore; this.shouldPushStackElementAfter = opts.shouldPushStackElementAfter; } return EditOperationResult; }()); /** * Common operations that work and make sense both on the model and on the view model. */ var CursorColumns = /** @class */ (function () { function CursorColumns() { } CursorColumns.isLowSurrogate = function (model, lineNumber, charOffset) { var lineContent = model.getLineContent(lineNumber); if (charOffset < 0 || charOffset >= lineContent.length) { return false; } return __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["u" /* isLowSurrogate */](lineContent.charCodeAt(charOffset)); }; CursorColumns.isHighSurrogate = function (model, lineNumber, charOffset) { var lineContent = model.getLineContent(lineNumber); if (charOffset < 0 || charOffset >= lineContent.length) { return false; } return __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["t" /* isHighSurrogate */](lineContent.charCodeAt(charOffset)); }; CursorColumns.isInsideSurrogatePair = function (model, lineNumber, column) { return this.isHighSurrogate(model, lineNumber, column - 2); }; CursorColumns.visibleColumnFromColumn = function (lineContent, column, tabSize) { var endOffset = lineContent.length; if (endOffset > column - 1) { endOffset = column - 1; } var result = 0; for (var i = 0; i < endOffset; i++) { var charCode = lineContent.charCodeAt(i); if (charCode === 9 /* Tab */) { result = this.nextRenderTabStop(result, tabSize); } else if (__WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["s" /* isFullWidthCharacter */](charCode)) { result = result + 2; } else { result = result + 1; } } return result; }; CursorColumns.visibleColumnFromColumn2 = function (config, model, position) { return this.visibleColumnFromColumn(model.getLineContent(position.lineNumber), position.column, config.tabSize); }; CursorColumns.columnFromVisibleColumn = function (lineContent, visibleColumn, tabSize) { if (visibleColumn <= 0) { return 1; } var lineLength = lineContent.length; var beforeVisibleColumn = 0; for (var i = 0; i < lineLength; i++) { var charCode = lineContent.charCodeAt(i); var afterVisibleColumn = void 0; if (charCode === 9 /* Tab */) { afterVisibleColumn = this.nextRenderTabStop(beforeVisibleColumn, tabSize); } else if (__WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["s" /* isFullWidthCharacter */](charCode)) { afterVisibleColumn = beforeVisibleColumn + 2; } else { afterVisibleColumn = beforeVisibleColumn + 1; } if (afterVisibleColumn >= visibleColumn) { var prevDelta = visibleColumn - beforeVisibleColumn; var afterDelta = afterVisibleColumn - visibleColumn; if (afterDelta < prevDelta) { return i + 2; } else { return i + 1; } } beforeVisibleColumn = afterVisibleColumn; } // walked the entire string return lineLength + 1; }; CursorColumns.columnFromVisibleColumn2 = function (config, model, lineNumber, visibleColumn) { var result = this.columnFromVisibleColumn(model.getLineContent(lineNumber), visibleColumn, config.tabSize); var minColumn = model.getLineMinColumn(lineNumber); if (result < minColumn) { return minColumn; } var maxColumn = model.getLineMaxColumn(lineNumber); if (result > maxColumn) { return maxColumn; } return result; }; /** * ATTENTION: This works with 0-based columns (as oposed to the regular 1-based columns) */ CursorColumns.nextRenderTabStop = function (visibleColumn, tabSize) { return visibleColumn + tabSize - visibleColumn % tabSize; }; /** * ATTENTION: This works with 0-based columns (as oposed to the regular 1-based columns) */ CursorColumns.nextIndentTabStop = function (visibleColumn, indentSize) { return visibleColumn + indentSize - visibleColumn % indentSize; }; /** * ATTENTION: This works with 0-based columns (as oposed to the regular 1-based columns) */ CursorColumns.prevRenderTabStop = function (column, tabSize) { return column - 1 - (column - 1) % tabSize; }; /** * ATTENTION: This works with 0-based columns (as oposed to the regular 1-based columns) */ CursorColumns.prevIndentTabStop = function (column, indentSize) { return column - 1 - (column - 1) % indentSize; }; return CursorColumns; }()); function isQuote(ch) { return (ch === '\'' || ch === '"' || ch === '`'); } /***/ }), /***/ 1205: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1206); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1206: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".ant-input-number{-webkit-box-sizing:border-box;box-sizing:border-box;font-variant:tabular-nums;list-style:none;-webkit-font-feature-settings:\"tnum\";font-feature-settings:\"tnum\";position:relative;width:100%;height:32px;padding:4px 11px;color:rgba(0,0,0,.65);font-size:14px;line-height:1.5;background-color:#fff;background-image:none;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s;display:inline-block;width:90px;margin:0;padding:0;border:1px solid #d9d9d9;border-radius:4px}.ant-input-number::-moz-placeholder{color:#bfbfbf;opacity:1}.ant-input-number:-ms-input-placeholder{color:#bfbfbf}.ant-input-number::-webkit-input-placeholder{color:#bfbfbf}.ant-input-number:placeholder-shown{-o-text-overflow:ellipsis;text-overflow:ellipsis}.ant-input-number:focus{border-color:#40a9ff;border-right-width:1px!important;outline:0;-webkit-box-shadow:0 0 0 2px rgba(24,144,255,.2);box-shadow:0 0 0 2px rgba(24,144,255,.2)}.ant-input-number[disabled]{color:rgba(0,0,0,.25);background-color:#f5f5f5;cursor:not-allowed;opacity:1}.ant-input-number[disabled]:hover{border-color:#d9d9d9;border-right-width:1px!important}textarea.ant-input-number{max-width:100%;height:auto;min-height:32px;line-height:1.5;vertical-align:bottom;-webkit-transition:all .3s,height 0s;-o-transition:all .3s,height 0s;transition:all .3s,height 0s}.ant-input-number-lg{height:40px;padding:6px 11px}.ant-input-number-sm{height:24px;padding:1px 7px}.ant-input-number-handler{position:relative;display:block;width:100%;height:50%;overflow:hidden;color:rgba(0,0,0,.45);font-weight:700;line-height:0;text-align:center;-webkit-transition:all .1s linear;-o-transition:all .1s linear;transition:all .1s linear}.ant-input-number-handler:active{background:#f4f4f4}.ant-input-number-handler:hover .ant-input-number-handler-down-inner,.ant-input-number-handler:hover .ant-input-number-handler-up-inner{color:#40a9ff}.ant-input-number-handler-down-inner,.ant-input-number-handler-up-inner{display:inline-block;color:inherit;font-style:normal;line-height:0;text-align:center;text-transform:none;vertical-align:-.125em;text-rendering:optimizeLegibility;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;position:absolute;right:4px;width:12px;height:12px;color:rgba(0,0,0,.45);line-height:12px;-webkit-transition:all .1s linear;-o-transition:all .1s linear;transition:all .1s linear;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ant-input-number-handler-down-inner>*,.ant-input-number-handler-up-inner>*{line-height:1}.ant-input-number-handler-down-inner svg,.ant-input-number-handler-up-inner svg{display:inline-block}.ant-input-number-handler-down-inner:before,.ant-input-number-handler-up-inner:before{display:none}.ant-input-number-handler-down-inner .ant-input-number-handler-down-inner-icon,.ant-input-number-handler-down-inner .ant-input-number-handler-up-inner-icon,.ant-input-number-handler-up-inner .ant-input-number-handler-down-inner-icon,.ant-input-number-handler-up-inner .ant-input-number-handler-up-inner-icon{display:block}.ant-input-number-focused,.ant-input-number:hover{border-color:#40a9ff;border-right-width:1px!important}.ant-input-number-focused{outline:0;-webkit-box-shadow:0 0 0 2px rgba(24,144,255,.2);box-shadow:0 0 0 2px rgba(24,144,255,.2)}.ant-input-number-disabled{color:rgba(0,0,0,.25);background-color:#f5f5f5;cursor:not-allowed;opacity:1}.ant-input-number-disabled:hover{border-color:#d9d9d9;border-right-width:1px!important}.ant-input-number-disabled .ant-input-number-input{cursor:not-allowed}.ant-input-number-disabled .ant-input-number-handler-wrap{display:none}.ant-input-number-input{width:100%;height:30px;padding:0 11px;text-align:left;background-color:transparent;border:0;border-radius:4px;outline:0;-webkit-transition:all .3s linear;-o-transition:all .3s linear;transition:all .3s linear;-moz-appearance:textfield!important}.ant-input-number-input::-moz-placeholder{color:#bfbfbf;opacity:1}.ant-input-number-input:-ms-input-placeholder{color:#bfbfbf}.ant-input-number-input::-webkit-input-placeholder{color:#bfbfbf}.ant-input-number-input:placeholder-shown{-o-text-overflow:ellipsis;text-overflow:ellipsis}.ant-input-number-input[type=number]::-webkit-inner-spin-button,.ant-input-number-input[type=number]::-webkit-outer-spin-button{margin:0;-webkit-appearance:none}.ant-input-number-lg{padding:0;font-size:16px}.ant-input-number-lg input{height:38px}.ant-input-number-sm{padding:0}.ant-input-number-sm input{height:22px;padding:0 7px}.ant-input-number-handler-wrap{position:absolute;top:0;right:0;width:22px;height:100%;background:#fff;border-left:1px solid #d9d9d9;border-radius:0 4px 4px 0;opacity:0;-webkit-transition:opacity .24s linear .1s;-o-transition:opacity .24s linear .1s;transition:opacity .24s linear .1s}.ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-down-inner,.ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-up-inner{display:inline-block;font-size:12px;font-size:7px\\9;-webkit-transform:scale(.58333333) rotate(0deg);-ms-transform:scale(.58333333) rotate(0deg);transform:scale(.58333333) rotate(0deg);min-width:auto;margin-right:0}:root .ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-down-inner,:root .ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-up-inner{font-size:12px}.ant-input-number-handler-wrap:hover .ant-input-number-handler{height:40%}.ant-input-number:hover .ant-input-number-handler-wrap{opacity:1}.ant-input-number-handler-up{border-top-right-radius:4px;cursor:pointer}.ant-input-number-handler-up-inner{top:50%;margin-top:-5px;text-align:center}.ant-input-number-handler-up:hover{height:60%!important}.ant-input-number-handler-down{top:0;border-top:1px solid #d9d9d9;border-bottom-right-radius:4px;cursor:pointer}.ant-input-number-handler-down-inner{top:50%;margin-top:-6px;text-align:center}.ant-input-number-handler-down:hover{height:60%!important}.ant-input-number-handler-down-disabled,.ant-input-number-handler-up-disabled{cursor:not-allowed}.ant-input-number-handler-down-disabled:hover .ant-input-number-handler-down-inner,.ant-input-number-handler-up-disabled:hover .ant-input-number-handler-up-inner{color:rgba(0,0,0,.25)}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_antd@3.26.4@antd/lib/input-number/style/index.css"],"names":[],"mappings":"AAIA,kBACE,8BAA+B,AACvB,sBAAuB,AAC/B,0BAA2B,AAC3B,gBAAiB,AACjB,qCAAsC,AAC9B,6BAA8B,AACtC,kBAAmB,AACnB,WAAY,AACZ,YAAa,AACb,iBAAkB,AAClB,sBAA2B,AAC3B,eAAgB,AAChB,gBAAiB,AACjB,sBAAuB,AACvB,sBAAuB,AACvB,2BAA6B,AAC7B,sBAAwB,AACxB,mBAAqB,AACrB,qBAAsB,AACtB,WAAY,AACZ,SAAU,AACV,UAAW,AACX,yBAA0B,AAC1B,iBAAmB,CACpB,AACD,oCACE,cAAe,AACf,SAAW,CACZ,AACD,wCACE,aAAe,CAChB,AACD,6CACE,aAAe,CAChB,AACD,oCACE,0BAA2B,AACxB,sBAAwB,CAC5B,AAKD,wBACE,qBAAsB,AACtB,iCAAmC,AACnC,UAAW,AACX,iDAAsD,AAC9C,wCAA8C,CACvD,AAWD,4BACE,sBAA2B,AAC3B,yBAA0B,AAC1B,mBAAoB,AACpB,SAAW,CACZ,AACD,kCACE,qBAAsB,AACtB,gCAAmC,CACpC,AACD,0BACE,eAAgB,AAChB,YAAa,AACb,gBAAiB,AACjB,gBAAiB,AACjB,sBAAuB,AACvB,qCAAwC,AACxC,gCAAmC,AACnC,4BAAgC,CACjC,AACD,qBACE,YAAa,AACb,gBAAkB,CAEnB,AACD,qBACE,YAAa,AACb,eAAiB,CAClB,AACD,0BACE,kBAAmB,AACnB,cAAe,AACf,WAAY,AACZ,WAAY,AACZ,gBAAiB,AACjB,sBAA2B,AAC3B,gBAAkB,AAClB,cAAe,AACf,kBAAmB,AACnB,kCAAoC,AACpC,6BAA+B,AAC/B,yBAA4B,CAC7B,AACD,iCACE,kBAAoB,CACrB,AACD,wIAEE,aAAe,CAChB,AACD,wEAEE,qBAAsB,AACtB,cAAe,AACf,kBAAmB,AACnB,cAAe,AACf,kBAAmB,AACnB,oBAAqB,AACrB,uBAAyB,AACzB,kCAAmC,AACnC,mCAAoC,AACpC,kCAAmC,AACnC,kBAAmB,AACnB,UAAW,AACX,WAAY,AACZ,YAAa,AACb,sBAA2B,AAC3B,iBAAkB,AAClB,kCAAoC,AACpC,6BAA+B,AAC/B,0BAA4B,AAC5B,yBAA0B,AACvB,sBAAuB,AACtB,qBAAsB,AAClB,gBAAkB,CAC3B,AACD,4EAEE,aAAe,CAChB,AACD,gFAEE,oBAAsB,CACvB,AACD,sFAEE,YAAc,CACf,AACD,oTAIE,aAAe,CAChB,AAKD,kDAHE,qBAAsB,AACtB,gCAAmC,CAQpC,AAND,0BAGE,UAAW,AACX,iDAAsD,AAC9C,wCAA8C,CACvD,AACD,2BACE,sBAA2B,AAC3B,yBAA0B,AAC1B,mBAAoB,AACpB,SAAW,CACZ,AACD,iCACE,qBAAsB,AACtB,gCAAmC,CACpC,AACD,mDACE,kBAAoB,CACrB,AACD,0DACE,YAAc,CACf,AACD,wBACE,WAAY,AACZ,YAAa,AACb,eAAgB,AAChB,gBAAiB,AACjB,6BAA8B,AAC9B,SAAU,AACV,kBAAmB,AACnB,UAAW,AACX,kCAAoC,AACpC,6BAA+B,AAC/B,0BAA4B,AAC5B,mCAAsC,CACvC,AACD,0CACE,cAAe,AACf,SAAW,CACZ,AACD,8CACE,aAAe,CAChB,AACD,mDACE,aAAe,CAChB,AACD,0CACE,0BAA2B,AACxB,sBAAwB,CAC5B,AACD,gIAEE,SAAU,AACV,uBAAyB,CAC1B,AACD,qBACE,UAAW,AACX,cAAgB,CACjB,AACD,2BACE,WAAa,CACd,AACD,qBACE,SAAW,CACZ,AACD,2BACE,YAAa,AACb,aAAe,CAChB,AACD,+BACE,kBAAmB,AACnB,MAAO,AACP,QAAS,AACT,WAAY,AACZ,YAAa,AACb,gBAAiB,AACjB,8BAA+B,AAC/B,0BAA2B,AAC3B,UAAW,AACX,2CAA8C,AAC9C,sCAAyC,AACzC,kCAAsC,CACvC,AACD,0LAEE,qBAAsB,AACtB,eAAgB,AAChB,gBAAkB,AAClB,gDAAkD,AAC9C,4CAA8C,AAC1C,wCAA0C,AAClD,eAAgB,AAChB,cAAgB,CACjB,AACD,sMAEE,cAAgB,CACjB,AACD,+DACE,UAAY,CACb,AACD,uDACE,SAAW,CACZ,AACD,6BACE,4BAA6B,AAC7B,cAAgB,CACjB,AACD,mCACE,QAAS,AACT,gBAAiB,AACjB,iBAAmB,CACpB,AACD,mCACE,oBAAuB,CACxB,AACD,+BACE,MAAO,AACP,6BAA8B,AAC9B,+BAAgC,AAChC,cAAgB,CACjB,AACD,qCACE,QAAS,AACT,gBAAiB,AACjB,iBAAmB,CACpB,AACD,qCACE,oBAAuB,CACxB,AACD,8EAEE,kBAAoB,CACrB,AACD,kKAEE,qBAA2B,CAC5B","file":"index.css","sourcesContent":["/* stylelint-disable at-rule-empty-line-before,at-rule-name-space-after,at-rule-no-unknown */\n/* stylelint-disable no-duplicate-selectors */\n/* stylelint-disable */\n/* stylelint-disable declaration-bang-space-before,no-duplicate-selectors,string-no-newline */\n.ant-input-number {\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n font-variant: tabular-nums;\n list-style: none;\n -webkit-font-feature-settings: 'tnum';\n font-feature-settings: 'tnum';\n position: relative;\n width: 100%;\n height: 32px;\n padding: 4px 11px;\n color: rgba(0, 0, 0, 0.65);\n font-size: 14px;\n line-height: 1.5;\n background-color: #fff;\n background-image: none;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n display: inline-block;\n width: 90px;\n margin: 0;\n padding: 0;\n border: 1px solid #d9d9d9;\n border-radius: 4px;\n}\n.ant-input-number::-moz-placeholder {\n color: #bfbfbf;\n opacity: 1;\n}\n.ant-input-number:-ms-input-placeholder {\n color: #bfbfbf;\n}\n.ant-input-number::-webkit-input-placeholder {\n color: #bfbfbf;\n}\n.ant-input-number:placeholder-shown {\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n}\n.ant-input-number:hover {\n border-color: #40a9ff;\n border-right-width: 1px !important;\n}\n.ant-input-number:focus {\n border-color: #40a9ff;\n border-right-width: 1px !important;\n outline: 0;\n -webkit-box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);\n box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);\n}\n.ant-input-number-disabled {\n color: rgba(0, 0, 0, 0.25);\n background-color: #f5f5f5;\n cursor: not-allowed;\n opacity: 1;\n}\n.ant-input-number-disabled:hover {\n border-color: #d9d9d9;\n border-right-width: 1px !important;\n}\n.ant-input-number[disabled] {\n color: rgba(0, 0, 0, 0.25);\n background-color: #f5f5f5;\n cursor: not-allowed;\n opacity: 1;\n}\n.ant-input-number[disabled]:hover {\n border-color: #d9d9d9;\n border-right-width: 1px !important;\n}\ntextarea.ant-input-number {\n max-width: 100%;\n height: auto;\n min-height: 32px;\n line-height: 1.5;\n vertical-align: bottom;\n -webkit-transition: all 0.3s, height 0s;\n -o-transition: all 0.3s, height 0s;\n transition: all 0.3s, height 0s;\n}\n.ant-input-number-lg {\n height: 40px;\n padding: 6px 11px;\n font-size: 16px;\n}\n.ant-input-number-sm {\n height: 24px;\n padding: 1px 7px;\n}\n.ant-input-number-handler {\n position: relative;\n display: block;\n width: 100%;\n height: 50%;\n overflow: hidden;\n color: rgba(0, 0, 0, 0.45);\n font-weight: bold;\n line-height: 0;\n text-align: center;\n -webkit-transition: all 0.1s linear;\n -o-transition: all 0.1s linear;\n transition: all 0.1s linear;\n}\n.ant-input-number-handler:active {\n background: #f4f4f4;\n}\n.ant-input-number-handler:hover .ant-input-number-handler-up-inner,\n.ant-input-number-handler:hover .ant-input-number-handler-down-inner {\n color: #40a9ff;\n}\n.ant-input-number-handler-up-inner,\n.ant-input-number-handler-down-inner {\n display: inline-block;\n color: inherit;\n font-style: normal;\n line-height: 0;\n text-align: center;\n text-transform: none;\n vertical-align: -0.125em;\n text-rendering: optimizeLegibility;\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n position: absolute;\n right: 4px;\n width: 12px;\n height: 12px;\n color: rgba(0, 0, 0, 0.45);\n line-height: 12px;\n -webkit-transition: all 0.1s linear;\n -o-transition: all 0.1s linear;\n transition: all 0.1s linear;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.ant-input-number-handler-up-inner > *,\n.ant-input-number-handler-down-inner > * {\n line-height: 1;\n}\n.ant-input-number-handler-up-inner svg,\n.ant-input-number-handler-down-inner svg {\n display: inline-block;\n}\n.ant-input-number-handler-up-inner::before,\n.ant-input-number-handler-down-inner::before {\n display: none;\n}\n.ant-input-number-handler-up-inner .ant-input-number-handler-up-inner-icon,\n.ant-input-number-handler-up-inner .ant-input-number-handler-down-inner-icon,\n.ant-input-number-handler-down-inner .ant-input-number-handler-up-inner-icon,\n.ant-input-number-handler-down-inner .ant-input-number-handler-down-inner-icon {\n display: block;\n}\n.ant-input-number:hover {\n border-color: #40a9ff;\n border-right-width: 1px !important;\n}\n.ant-input-number-focused {\n border-color: #40a9ff;\n border-right-width: 1px !important;\n outline: 0;\n -webkit-box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);\n box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);\n}\n.ant-input-number-disabled {\n color: rgba(0, 0, 0, 0.25);\n background-color: #f5f5f5;\n cursor: not-allowed;\n opacity: 1;\n}\n.ant-input-number-disabled:hover {\n border-color: #d9d9d9;\n border-right-width: 1px !important;\n}\n.ant-input-number-disabled .ant-input-number-input {\n cursor: not-allowed;\n}\n.ant-input-number-disabled .ant-input-number-handler-wrap {\n display: none;\n}\n.ant-input-number-input {\n width: 100%;\n height: 30px;\n padding: 0 11px;\n text-align: left;\n background-color: transparent;\n border: 0;\n border-radius: 4px;\n outline: 0;\n -webkit-transition: all 0.3s linear;\n -o-transition: all 0.3s linear;\n transition: all 0.3s linear;\n -moz-appearance: textfield !important;\n}\n.ant-input-number-input::-moz-placeholder {\n color: #bfbfbf;\n opacity: 1;\n}\n.ant-input-number-input:-ms-input-placeholder {\n color: #bfbfbf;\n}\n.ant-input-number-input::-webkit-input-placeholder {\n color: #bfbfbf;\n}\n.ant-input-number-input:placeholder-shown {\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n}\n.ant-input-number-input[type='number']::-webkit-inner-spin-button,\n.ant-input-number-input[type='number']::-webkit-outer-spin-button {\n margin: 0;\n -webkit-appearance: none;\n}\n.ant-input-number-lg {\n padding: 0;\n font-size: 16px;\n}\n.ant-input-number-lg input {\n height: 38px;\n}\n.ant-input-number-sm {\n padding: 0;\n}\n.ant-input-number-sm input {\n height: 22px;\n padding: 0 7px;\n}\n.ant-input-number-handler-wrap {\n position: absolute;\n top: 0;\n right: 0;\n width: 22px;\n height: 100%;\n background: #fff;\n border-left: 1px solid #d9d9d9;\n border-radius: 0 4px 4px 0;\n opacity: 0;\n -webkit-transition: opacity 0.24s linear 0.1s;\n -o-transition: opacity 0.24s linear 0.1s;\n transition: opacity 0.24s linear 0.1s;\n}\n.ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-up-inner,\n.ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-down-inner {\n display: inline-block;\n font-size: 12px;\n font-size: 7px \\9;\n -webkit-transform: scale(0.58333333) rotate(0deg);\n -ms-transform: scale(0.58333333) rotate(0deg);\n transform: scale(0.58333333) rotate(0deg);\n min-width: auto;\n margin-right: 0;\n}\n:root .ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-up-inner,\n:root .ant-input-number-handler-wrap .ant-input-number-handler .ant-input-number-handler-down-inner {\n font-size: 12px;\n}\n.ant-input-number-handler-wrap:hover .ant-input-number-handler {\n height: 40%;\n}\n.ant-input-number:hover .ant-input-number-handler-wrap {\n opacity: 1;\n}\n.ant-input-number-handler-up {\n border-top-right-radius: 4px;\n cursor: pointer;\n}\n.ant-input-number-handler-up-inner {\n top: 50%;\n margin-top: -5px;\n text-align: center;\n}\n.ant-input-number-handler-up:hover {\n height: 60% !important;\n}\n.ant-input-number-handler-down {\n top: 0;\n border-top: 1px solid #d9d9d9;\n border-bottom-right-radius: 4px;\n cursor: pointer;\n}\n.ant-input-number-handler-down-inner {\n top: 50%;\n margin-top: -6px;\n text-align: center;\n}\n.ant-input-number-handler-down:hover {\n height: 60% !important;\n}\n.ant-input-number-handler-up-disabled,\n.ant-input-number-handler-down-disabled {\n cursor: not-allowed;\n}\n.ant-input-number-handler-up-disabled:hover .ant-input-number-handler-up-inner,\n.ant-input-number-handler-down-disabled:hover .ant-input-number-handler-down-inner {\n color: rgba(0, 0, 0, 0.25);\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1207: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__ = __webpack_require__(74); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__ = __webpack_require__(26); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__ = __webpack_require__(11); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(13); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__ = __webpack_require__(14); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__ = __webpack_require__(50); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__InputHandler__ = __webpack_require__(1208); function noop() {} function preventDefault(e) { e.preventDefault(); } function defaultParser(input) { return input.replace(/[^\w\.-]+/g, ''); } /** * When click and hold on a button - the speed of auto changin the value. */ var SPEED = 200; /** * When click and hold on a button - the delay before auto changin the value. */ var DELAY = 600; /** * Max Safe Integer -- on IE this is not available, so manually set the number in that case. * The reason this is used, instead of Infinity is because numbers above the MSI are unstable */ var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1; var isValidProps = function isValidProps(value) { return value !== undefined && value !== null; }; var isEqual = function isEqual(oldValue, newValue) { return newValue === oldValue || typeof newValue === 'number' && typeof oldValue === 'number' && isNaN(newValue) && isNaN(oldValue); }; var InputNumber = function (_React$Component) { __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default()(InputNumber, _React$Component); function InputNumber(props) { __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default()(this, InputNumber); var _this = __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$Component.call(this, props)); _initialiseProps.call(_this); var value = void 0; if ('value' in props) { value = props.value; } else { value = props.defaultValue; } _this.state = { focused: props.autoFocus }; var validValue = _this.getValidValue(_this.toNumber(value)); _this.state = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, _this.state, { inputValue: _this.toPrecisionAsStep(validValue), value: validValue }); return _this; } InputNumber.prototype.componentDidMount = function componentDidMount() { this.componentDidUpdate(); }; InputNumber.prototype.componentDidUpdate = function componentDidUpdate(prevProps) { var _props = this.props, value = _props.value, onChange = _props.onChange, max = _props.max, min = _props.min; var focused = this.state.focused; // Don't trigger in componentDidMount if (prevProps) { if (!isEqual(prevProps.value, value) || !isEqual(prevProps.max, max) || !isEqual(prevProps.min, min)) { var validValue = focused ? value : this.getValidValue(value); var nextInputValue = void 0; if (this.pressingUpOrDown) { nextInputValue = validValue; } else if (this.inputting) { nextInputValue = this.rawInput; } else { nextInputValue = this.toPrecisionAsStep(validValue); } this.setState({ // eslint-disable-line value: validValue, inputValue: nextInputValue }); } // Trigger onChange when max or min change // https://github.com/ant-design/ant-design/issues/11574 var nextValue = 'value' in this.props ? value : this.state.value; // ref: null < 20 === true // https://github.com/ant-design/ant-design/issues/14277 if ('max' in this.props && prevProps.max !== max && typeof nextValue === 'number' && nextValue > max && onChange) { onChange(max); } if ('min' in this.props && prevProps.min !== min && typeof nextValue === 'number' && nextValue < min && onChange) { onChange(min); } } // Restore cursor try { // Firefox set the input cursor after it get focused. // This caused that if an input didn't init with the selection, // set will cause cursor not correct when first focus. // Safari will focus input if set selection. We need skip this. if (this.cursorStart !== undefined && this.state.focused) { // In most cases, the string after cursor is stable. // We can move the cursor before it if ( // If not match full str, try to match part of str !this.partRestoreByAfter(this.cursorAfter) && this.state.value !== this.props.value) { // If not match any of then, let's just keep the position // TODO: Logic should not reach here, need check if happens var pos = this.cursorStart + 1; // If not have last string, just position to the end if (!this.cursorAfter) { pos = this.input.value.length; } else if (this.lastKeyCode === __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].BACKSPACE) { pos = this.cursorStart - 1; } else if (this.lastKeyCode === __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].DELETE) { pos = this.cursorStart; } this.fixCaret(pos, pos); } else if (this.currentValue === this.input.value) { // Handle some special key code switch (this.lastKeyCode) { case __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].BACKSPACE: this.fixCaret(this.cursorStart - 1, this.cursorStart - 1); break; case __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].DELETE: this.fixCaret(this.cursorStart + 1, this.cursorStart + 1); break; default: // Do nothing } } } } catch (e) {} // Do nothing // Reset last key this.lastKeyCode = null; // pressingUpOrDown is true means that someone just click up or down button if (!this.pressingUpOrDown) { return; } if (this.props.focusOnUpDown && this.state.focused) { if (document.activeElement !== this.input) { this.focus(); } } this.pressingUpOrDown = false; }; InputNumber.prototype.componentWillUnmount = function componentWillUnmount() { this.stop(); }; InputNumber.prototype.getCurrentValidValue = function getCurrentValidValue(value) { var val = value; if (val === '') { val = ''; } else if (!this.isNotCompleteNumber(parseFloat(val, 10))) { val = this.getValidValue(val); } else { val = this.state.value; } return this.toNumber(val); }; InputNumber.prototype.getRatio = function getRatio(e) { var ratio = 1; if (e.metaKey || e.ctrlKey) { ratio = 0.1; } else if (e.shiftKey) { ratio = 10; } return ratio; }; InputNumber.prototype.getValueFromEvent = function getValueFromEvent(e) { // optimize for chinese input expierence // https://github.com/ant-design/ant-design/issues/8196 var value = e.target.value.trim().replace(/。/g, '.'); if (isValidProps(this.props.decimalSeparator)) { value = value.replace(this.props.decimalSeparator, '.'); } return value; }; InputNumber.prototype.getValidValue = function getValidValue(value) { var min = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : this.props.min; var max = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : this.props.max; var val = parseFloat(value, 10); // https://github.com/ant-design/ant-design/issues/7358 if (isNaN(val)) { return value; } if (val < min) { val = min; } if (val > max) { val = max; } return val; }; InputNumber.prototype.setValue = function setValue(v, callback) { // trigger onChange var precision = this.props.precision; var newValue = this.isNotCompleteNumber(parseFloat(v, 10)) ? null : parseFloat(v, 10); var _state = this.state, _state$value = _state.value, value = _state$value === undefined ? null : _state$value, _state$inputValue = _state.inputValue, inputValue = _state$inputValue === undefined ? null : _state$inputValue; // https://github.com/ant-design/ant-design/issues/7363 // https://github.com/ant-design/ant-design/issues/16622 var newValueInString = typeof newValue === 'number' ? newValue.toFixed(precision) : '' + newValue; var changed = newValue !== value || newValueInString !== '' + inputValue; if (!('value' in this.props)) { this.setState({ value: newValue, inputValue: this.toPrecisionAsStep(v) }, callback); } else { // always set input value same as value this.setState({ inputValue: this.toPrecisionAsStep(this.state.value) }, callback); } if (changed) { this.props.onChange(newValue); } return newValue; }; InputNumber.prototype.getPrecision = function getPrecision(value) { if (isValidProps(this.props.precision)) { return this.props.precision; } var valueString = value.toString(); if (valueString.indexOf('e-') >= 0) { return parseInt(valueString.slice(valueString.indexOf('e-') + 2), 10); } var precision = 0; if (valueString.indexOf('.') >= 0) { precision = valueString.length - valueString.indexOf('.') - 1; } return precision; }; // step={1.0} value={1.51} // press + // then value should be 2.51, rather than 2.5 // if this.props.precision is undefined // https://github.com/react-component/input-number/issues/39 InputNumber.prototype.getMaxPrecision = function getMaxPrecision(currentValue) { var ratio = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 1; var _props2 = this.props, precision = _props2.precision, step = _props2.step; if (isValidProps(precision)) { return precision; } var ratioPrecision = this.getPrecision(ratio); var stepPrecision = this.getPrecision(step); var currentValuePrecision = this.getPrecision(currentValue); if (!currentValue) { return ratioPrecision + stepPrecision; } return Math.max(currentValuePrecision, ratioPrecision + stepPrecision); }; InputNumber.prototype.getPrecisionFactor = function getPrecisionFactor(currentValue) { var ratio = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 1; var precision = this.getMaxPrecision(currentValue, ratio); return Math.pow(10, precision); }; InputNumber.prototype.fixCaret = function fixCaret(start, end) { if (start === undefined || end === undefined || !this.input || !this.input.value) { return; } try { var currentStart = this.input.selectionStart; var currentEnd = this.input.selectionEnd; if (start !== currentStart || end !== currentEnd) { this.input.setSelectionRange(start, end); } } catch (e) { // Fix error in Chrome: // Failed to read the 'selectionStart' property from 'HTMLInputElement' // http://stackoverflow.com/q/21177489/3040605 } }; InputNumber.prototype.focus = function focus() { this.input.focus(); this.recordCursorPosition(); }; InputNumber.prototype.blur = function blur() { this.input.blur(); }; InputNumber.prototype.formatWrapper = function formatWrapper(num) { // http://2ality.com/2012/03/signedzero.html // https://github.com/ant-design/ant-design/issues/9439 if (this.props.formatter) { return this.props.formatter(num); } return num; }; InputNumber.prototype.toPrecisionAsStep = function toPrecisionAsStep(num) { if (this.isNotCompleteNumber(num) || num === '') { return num; } var precision = Math.abs(this.getMaxPrecision(num)); if (!isNaN(precision)) { return Number(num).toFixed(precision); } return num.toString(); }; // '1.' '1x' 'xx' '' => are not complete numbers InputNumber.prototype.isNotCompleteNumber = function isNotCompleteNumber(num) { return isNaN(num) || num === '' || num === null || num && num.toString().indexOf('.') === num.toString().length - 1; }; InputNumber.prototype.toNumber = function toNumber(num) { var precision = this.props.precision; var focused = this.state.focused; // num.length > 16 => This is to prevent input of large numbers var numberIsTooLarge = num && num.length > 16 && focused; if (this.isNotCompleteNumber(num) || numberIsTooLarge) { return num; } if (isValidProps(precision)) { return Math.round(num * Math.pow(10, precision)) / Math.pow(10, precision); } return Number(num); }; InputNumber.prototype.upStep = function upStep(val, rat) { var step = this.props.step; var precisionFactor = this.getPrecisionFactor(val, rat); var precision = Math.abs(this.getMaxPrecision(val, rat)); var result = ((precisionFactor * val + precisionFactor * step * rat) / precisionFactor).toFixed(precision); return this.toNumber(result); }; InputNumber.prototype.downStep = function downStep(val, rat) { var step = this.props.step; var precisionFactor = this.getPrecisionFactor(val, rat); var precision = Math.abs(this.getMaxPrecision(val, rat)); var result = ((precisionFactor * val - precisionFactor * step * rat) / precisionFactor).toFixed(precision); return this.toNumber(result); }; InputNumber.prototype.step = function step(type, e) { var _this2 = this; var ratio = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 1; var recursive = arguments[3]; this.stop(); if (e) { e.persist(); e.preventDefault(); } var props = this.props; if (props.disabled) { return; } var value = this.getCurrentValidValue(this.state.inputValue) || 0; if (this.isNotCompleteNumber(value)) { return; } var val = this[type + 'Step'](value, ratio); var outOfRange = val > props.max || val < props.min; if (val > props.max) { val = props.max; } else if (val < props.min) { val = props.min; } this.setValue(val); this.setState({ focused: true }); if (outOfRange) { return; } this.autoStepTimer = setTimeout(function () { _this2[type](e, ratio, true); }, recursive ? SPEED : DELAY); }; InputNumber.prototype.render = function render() { var _classNames; var props = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, this.props); var prefixCls = props.prefixCls, disabled = props.disabled, readOnly = props.readOnly, useTouch = props.useTouch, autoComplete = props.autoComplete, upHandler = props.upHandler, downHandler = props.downHandler, rest = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default()(props, ['prefixCls', 'disabled', 'readOnly', 'useTouch', 'autoComplete', 'upHandler', 'downHandler']); var classes = __WEBPACK_IMPORTED_MODULE_7_classnames___default()((_classNames = {}, _classNames[prefixCls] = true, _classNames[props.className] = !!props.className, _classNames[prefixCls + '-disabled'] = disabled, _classNames[prefixCls + '-focused'] = this.state.focused, _classNames)); var upDisabledClass = ''; var downDisabledClass = ''; var value = this.state.value; if (value || value === 0) { if (!isNaN(value)) { var val = Number(value); if (val >= props.max) { upDisabledClass = prefixCls + '-handler-up-disabled'; } if (val <= props.min) { downDisabledClass = prefixCls + '-handler-down-disabled'; } } else { upDisabledClass = prefixCls + '-handler-up-disabled'; downDisabledClass = prefixCls + '-handler-down-disabled'; } } var dataOrAriaAttributeProps = {}; for (var key in props) { if (props.hasOwnProperty(key) && (key.substr(0, 5) === 'data-' || key.substr(0, 5) === 'aria-' || key === 'role')) { dataOrAriaAttributeProps[key] = props[key]; } } var editable = !props.readOnly && !props.disabled; // focus state, show input value // unfocus state, show valid value var inputDisplayValue = this.getInputDisplayValue(); var upEvents = void 0; var downEvents = void 0; if (useTouch) { upEvents = { onTouchStart: editable && !upDisabledClass ? this.up : noop, onTouchEnd: this.stop }; downEvents = { onTouchStart: editable && !downDisabledClass ? this.down : noop, onTouchEnd: this.stop }; } else { upEvents = { onMouseDown: editable && !upDisabledClass ? this.up : noop, onMouseUp: this.stop, onMouseLeave: this.stop }; downEvents = { onMouseDown: editable && !downDisabledClass ? this.down : noop, onMouseUp: this.stop, onMouseLeave: this.stop }; } var isUpDisabled = !!upDisabledClass || disabled || readOnly; var isDownDisabled = !!downDisabledClass || disabled || readOnly; // ref for test return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement( 'div', { className: classes, style: props.style, title: props.title, onMouseEnter: props.onMouseEnter, onMouseLeave: props.onMouseLeave, onMouseOver: props.onMouseOver, onMouseOut: props.onMouseOut }, __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement( 'div', { className: prefixCls + '-handler-wrap' }, __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement( __WEBPACK_IMPORTED_MODULE_9__InputHandler__["a" /* default */], __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ ref: this.saveUp, disabled: isUpDisabled, prefixCls: prefixCls, unselectable: 'unselectable' }, upEvents, { role: 'button', 'aria-label': 'Increase Value', 'aria-disabled': !!isUpDisabled, className: prefixCls + '-handler ' + prefixCls + '-handler-up ' + upDisabledClass }), upHandler || __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement('span', { unselectable: 'unselectable', className: prefixCls + '-handler-up-inner', onClick: preventDefault }) ), __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement( __WEBPACK_IMPORTED_MODULE_9__InputHandler__["a" /* default */], __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ ref: this.saveDown, disabled: isDownDisabled, prefixCls: prefixCls, unselectable: 'unselectable' }, downEvents, { role: 'button', 'aria-label': 'Decrease Value', 'aria-disabled': !!isDownDisabled, className: prefixCls + '-handler ' + prefixCls + '-handler-down ' + downDisabledClass }), downHandler || __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement('span', { unselectable: 'unselectable', className: prefixCls + '-handler-down-inner', onClick: preventDefault }) ) ), __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement( 'div', { className: prefixCls + '-input-wrap' }, __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement('input', __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ role: 'spinbutton', 'aria-valuemin': props.min, 'aria-valuemax': props.max, 'aria-valuenow': value, required: props.required, type: props.type, placeholder: props.placeholder, onClick: props.onClick, onMouseUp: this.onMouseUp, className: prefixCls + '-input', tabIndex: props.tabIndex, autoComplete: autoComplete, onFocus: this.onFocus, onBlur: this.onBlur, onKeyDown: editable ? this.onKeyDown : noop, onKeyUp: editable ? this.onKeyUp : noop, autoFocus: props.autoFocus, maxLength: props.maxLength, readOnly: props.readOnly, disabled: props.disabled, max: props.max, min: props.min, step: props.step, name: props.name, id: props.id, onChange: this.onChange, ref: this.saveInput, value: inputDisplayValue, pattern: props.pattern }, dataOrAriaAttributeProps)) ) ); }; return InputNumber; }(__WEBPACK_IMPORTED_MODULE_5_react___default.a.Component); InputNumber.propTypes = { value: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number, __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string]), defaultValue: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number, __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string]), focusOnUpDown: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool, autoFocus: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool, onChange: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onPressEnter: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onKeyDown: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onKeyUp: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, prefixCls: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string, tabIndex: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string, __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number]), disabled: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool, onFocus: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onBlur: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, readOnly: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool, max: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number, min: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number, step: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number, __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string]), upHandler: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.node, downHandler: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.node, useTouch: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool, formatter: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, parser: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onMouseEnter: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onMouseLeave: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onMouseOver: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onMouseOut: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, onMouseUp: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.func, precision: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.number, required: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool, pattern: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string, decimalSeparator: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.string }; InputNumber.defaultProps = { focusOnUpDown: true, useTouch: false, prefixCls: 'rc-input-number', min: -MAX_SAFE_INTEGER, step: 1, style: {}, onChange: noop, onKeyDown: noop, onPressEnter: noop, onFocus: noop, onBlur: noop, parser: defaultParser, required: false, autoComplete: 'off' }; var _initialiseProps = function _initialiseProps() { var _this3 = this; this.onKeyDown = function (e) { for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { args[_key - 1] = arguments[_key]; } var _props3 = _this3.props, onKeyDown = _props3.onKeyDown, onPressEnter = _props3.onPressEnter; if (e.keyCode === __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].UP) { var ratio = _this3.getRatio(e); _this3.up(e, ratio); _this3.stop(); } else if (e.keyCode === __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].DOWN) { var _ratio = _this3.getRatio(e); _this3.down(e, _ratio); _this3.stop(); } else if (e.keyCode === __WEBPACK_IMPORTED_MODULE_8_rc_util_es_KeyCode__["a" /* default */].ENTER && onPressEnter) { onPressEnter(e); } // Trigger user key down _this3.recordCursorPosition(); _this3.lastKeyCode = e.keyCode; if (onKeyDown) { onKeyDown.apply(undefined, [e].concat(args)); } }; this.onKeyUp = function (e) { for (var _len2 = arguments.length, args = Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { args[_key2 - 1] = arguments[_key2]; } var onKeyUp = _this3.props.onKeyUp; _this3.stop(); _this3.recordCursorPosition(); // Trigger user key up if (onKeyUp) { onKeyUp.apply(undefined, [e].concat(args)); } }; this.onChange = function (e) { var onChange = _this3.props.onChange; if (_this3.state.focused) { _this3.inputting = true; } _this3.rawInput = _this3.props.parser(_this3.getValueFromEvent(e)); _this3.setState({ inputValue: _this3.rawInput }); onChange(_this3.toNumber(_this3.rawInput)); // valid number or invalid string }; this.onMouseUp = function () { var onMouseUp = _this3.props.onMouseUp; _this3.recordCursorPosition(); if (onMouseUp) { onMouseUp.apply(undefined, arguments); } }; this.onFocus = function () { var _props4; _this3.setState({ focused: true }); (_props4 = _this3.props).onFocus.apply(_props4, arguments); }; this.onBlur = function (e) { for (var _len3 = arguments.length, args = Array(_len3 > 1 ? _len3 - 1 : 0), _key3 = 1; _key3 < _len3; _key3++) { args[_key3 - 1] = arguments[_key3]; } var onBlur = _this3.props.onBlur; _this3.inputting = false; _this3.setState({ focused: false }); var value = _this3.getCurrentValidValue(_this3.state.inputValue); e.persist(); // fix https://github.com/react-component/input-number/issues/51 var newValue = _this3.setValue(value); if (onBlur) { var originValue = _this3.input.value; var inputValue = _this3.getInputDisplayValue({ focus: false, value: newValue }); _this3.input.value = inputValue; onBlur.apply(undefined, [e].concat(args)); _this3.input.value = originValue; } }; this.getInputDisplayValue = function (state) { var _ref = state || _this3.state, focused = _ref.focused, inputValue = _ref.inputValue, value = _ref.value; var inputDisplayValue = void 0; if (focused) { inputDisplayValue = inputValue; } else { inputDisplayValue = _this3.toPrecisionAsStep(value); } if (inputDisplayValue === undefined || inputDisplayValue === null) { inputDisplayValue = ''; } var inputDisplayValueFormat = _this3.formatWrapper(inputDisplayValue); if (isValidProps(_this3.props.decimalSeparator)) { inputDisplayValueFormat = inputDisplayValueFormat.toString().replace('.', _this3.props.decimalSeparator); } return inputDisplayValueFormat; }; this.recordCursorPosition = function () { // Record position try { _this3.cursorStart = _this3.input.selectionStart; _this3.cursorEnd = _this3.input.selectionEnd; _this3.currentValue = _this3.input.value; _this3.cursorBefore = _this3.input.value.substring(0, _this3.cursorStart); _this3.cursorAfter = _this3.input.value.substring(_this3.cursorEnd); } catch (e) { // Fix error in Chrome: // Failed to read the 'selectionStart' property from 'HTMLInputElement' // http://stackoverflow.com/q/21177489/3040605 } }; this.restoreByAfter = function (str) { if (str === undefined) return false; var fullStr = _this3.input.value; var index = fullStr.lastIndexOf(str); if (index === -1) return false; if (index + str.length === fullStr.length) { _this3.fixCaret(index, index); return true; } return false; }; this.partRestoreByAfter = function (str) { if (str === undefined) return false; // For loop from full str to the str with last char to map. e.g. 123 // -> 123 // -> 23 // -> 3 return Array.prototype.some.call(str, function (_, start) { var partStr = str.substring(start); return _this3.restoreByAfter(partStr); }); }; this.stop = function () { if (_this3.autoStepTimer) { clearTimeout(_this3.autoStepTimer); } }; this.down = function (e, ratio, recursive) { _this3.pressingUpOrDown = true; _this3.step('down', e, ratio, recursive); }; this.up = function (e, ratio, recursive) { _this3.pressingUpOrDown = true; _this3.step('up', e, ratio, recursive); }; this.saveUp = function (node) { _this3.upHandler = node; }; this.saveDown = function (node) { _this3.downHandler = node; }; this.saveInput = function (node) { _this3.input = node; }; }; /* harmony default export */ __webpack_exports__["default"] = (InputNumber); /***/ }), /***/ 1208: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__ = __webpack_require__(74); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(11); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(13); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(14); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_rmc_feedback__ = __webpack_require__(1209); var InputHandler = function (_Component) { __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(InputHandler, _Component); function InputHandler() { __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, InputHandler); return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _Component.apply(this, arguments)); } InputHandler.prototype.render = function render() { var _props = this.props, prefixCls = _props.prefixCls, disabled = _props.disabled, otherProps = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default()(_props, ['prefixCls', 'disabled']); return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( __WEBPACK_IMPORTED_MODULE_6_rmc_feedback__["a" /* default */], { disabled: disabled, activeClassName: prefixCls + '-handler-active' }, __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement('span', otherProps) ); }; return InputHandler; }(__WEBPACK_IMPORTED_MODULE_4_react__["Component"]); InputHandler.propTypes = { prefixCls: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string, disabled: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.bool, onTouchStart: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, onTouchEnd: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, onMouseDown: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, onMouseUp: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, onMouseLeave: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func }; /* harmony default export */ __webpack_exports__["a"] = (InputHandler); /***/ }), /***/ 1209: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__TouchFeedback__ = __webpack_require__(1210); /* harmony reexport (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return __WEBPACK_IMPORTED_MODULE_0__TouchFeedback__["a"]; }); /***/ }), /***/ 1210: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__ = __webpack_require__(26); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(11); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_createClass__ = __webpack_require__(44); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_createClass___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_createClass__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(13); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__ = __webpack_require__(14); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_classnames__); var TouchFeedback = function (_React$Component) { __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default()(TouchFeedback, _React$Component); function TouchFeedback() { __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, TouchFeedback); var _this = __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default()(this, (TouchFeedback.__proto__ || Object.getPrototypeOf(TouchFeedback)).apply(this, arguments)); _this.state = { active: false }; _this.onTouchStart = function (e) { _this.triggerEvent('TouchStart', true, e); }; _this.onTouchMove = function (e) { _this.triggerEvent('TouchMove', false, e); }; _this.onTouchEnd = function (e) { _this.triggerEvent('TouchEnd', false, e); }; _this.onTouchCancel = function (e) { _this.triggerEvent('TouchCancel', false, e); }; _this.onMouseDown = function (e) { // pc simulate mobile _this.triggerEvent('MouseDown', true, e); }; _this.onMouseUp = function (e) { _this.triggerEvent('MouseUp', false, e); }; _this.onMouseLeave = function (e) { _this.triggerEvent('MouseLeave', false, e); }; return _this; } __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_createClass___default()(TouchFeedback, [{ key: 'componentDidUpdate', value: function componentDidUpdate() { if (this.props.disabled && this.state.active) { this.setState({ active: false }); } } }, { key: 'triggerEvent', value: function triggerEvent(type, isActive, ev) { var eventType = 'on' + type; var children = this.props.children; if (children.props[eventType]) { children.props[eventType](ev); } if (isActive !== this.state.active) { this.setState({ active: isActive }); } } }, { key: 'render', value: function render() { var _props = this.props, children = _props.children, disabled = _props.disabled, activeClassName = _props.activeClassName, activeStyle = _props.activeStyle; var events = disabled ? undefined : { onTouchStart: this.onTouchStart, onTouchMove: this.onTouchMove, onTouchEnd: this.onTouchEnd, onTouchCancel: this.onTouchCancel, onMouseDown: this.onMouseDown, onMouseUp: this.onMouseUp, onMouseLeave: this.onMouseLeave }; var child = __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.only(children); if (!disabled && this.state.active) { var _child$props = child.props, style = _child$props.style, className = _child$props.className; if (activeStyle !== false) { if (activeStyle) { style = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default()({}, style, activeStyle); } className = __WEBPACK_IMPORTED_MODULE_6_classnames___default()(className, activeClassName); } return __WEBPACK_IMPORTED_MODULE_5_react___default.a.cloneElement(child, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default()({ className: className, style: style }, events)); } return __WEBPACK_IMPORTED_MODULE_5_react___default.a.cloneElement(child, events); } }]); return TouchFeedback; }(__WEBPACK_IMPORTED_MODULE_5_react___default.a.Component); /* harmony default export */ __webpack_exports__["a"] = (TouchFeedback); TouchFeedback.defaultProps = { disabled: false }; /***/ }), /***/ 1212: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1216); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1216: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".ant-table-wrapper{zoom:1}.ant-table-wrapper:after,.ant-table-wrapper:before{display:table;content:\"\"}.ant-table-wrapper:after{clear:both}.ant-table{-webkit-box-sizing:border-box;box-sizing:border-box;margin:0;padding:0;color:rgba(0,0,0,.65);font-size:14px;font-variant:tabular-nums;line-height:1.5;list-style:none;-webkit-font-feature-settings:\"tnum\";font-feature-settings:\"tnum\";position:relative;clear:both}.ant-table-body{-webkit-transition:opacity .3s;-o-transition:opacity .3s;transition:opacity .3s}.ant-table-empty .ant-table-body{overflow-x:auto!important;overflow-y:hidden!important}.ant-table table{width:100%;text-align:left;border-radius:4px 4px 0 0;border-collapse:separate;border-spacing:0}.ant-table-layout-fixed table{table-layout:fixed}.ant-table-thead>tr>th{color:rgba(0,0,0,.85);font-weight:500;text-align:left;background:#fafafa;border-bottom:1px solid #e8e8e8;-webkit-transition:background .3s ease;-o-transition:background .3s ease;transition:background .3s ease}.ant-table-thead>tr>th[colspan]{text-align:center}.ant-table-thead>tr>th .ant-table-filter-icon,.ant-table-thead>tr>th .anticon-filter{position:absolute;top:0;right:0;width:28px;height:100%;color:#bfbfbf;font-size:12px;text-align:center;cursor:pointer;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-table-thead>tr>th .ant-table-filter-icon>svg,.ant-table-thead>tr>th .anticon-filter>svg{position:absolute;top:50%;left:50%;margin-top:-5px;margin-left:-6px}.ant-table-thead>tr>th .ant-table-filter-selected.anticon-filter{color:#1890ff}.ant-table-thead>tr>th .ant-table-column-sorter{display:table-cell;vertical-align:middle}.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner{height:1em;margin-top:.35em;margin-left:.57142857em;color:#bfbfbf;line-height:1em;text-align:center;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-down,.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-up{display:inline-block;font-size:12px;font-size:11px\\9;-webkit-transform:scale(.91666667) rotate(0deg);-ms-transform:scale(.91666667) rotate(0deg);transform:scale(.91666667) rotate(0deg);display:block;height:1em;line-height:1em;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}:root .ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-down,:root .ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-up{font-size:12px}.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-down.on,.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-up.on{color:#1890ff}.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner-full{margin-top:-.15em}.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner-full .ant-table-column-sorter-down,.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner-full .ant-table-column-sorter-up{height:.5em;line-height:.5em}.ant-table-thead>tr>th .ant-table-column-sorter .ant-table-column-sorter-inner-full .ant-table-column-sorter-down{margin-top:.125em}.ant-table-thead>tr>th.ant-table-column-has-actions{position:relative;background-clip:padding-box;-webkit-background-clip:border-box}.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters{padding-right:30px!important}.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters .ant-table-filter-icon.ant-table-filter-open,.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters .anticon-filter.ant-table-filter-open,.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters:hover .ant-table-filter-icon:hover,.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters:hover .anticon-filter:hover{color:rgba(0,0,0,.45);background:#e5e5e5}.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters:hover .ant-table-filter-icon:active,.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-filters:hover .anticon-filter:active{color:rgba(0,0,0,.65)}.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-sorters{cursor:pointer}.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-sorters:hover,.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-sorters:hover .ant-table-filter-icon,.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-sorters:hover .anticon-filter{background:#f2f2f2}.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-sorters:active .ant-table-column-sorter-down:not(.on),.ant-table-thead>tr>th.ant-table-column-has-actions.ant-table-column-has-sorters:active .ant-table-column-sorter-up:not(.on){color:rgba(0,0,0,.45)}.ant-table-thead>tr>th .ant-table-header-column{display:inline-block;max-width:100%;vertical-align:top}.ant-table-thead>tr>th .ant-table-header-column .ant-table-column-sorters{display:table}.ant-table-thead>tr>th .ant-table-header-column .ant-table-column-sorters>.ant-table-column-title{display:table-cell;vertical-align:middle}.ant-table-thead>tr>th .ant-table-header-column .ant-table-column-sorters>:not(.ant-table-column-sorter){position:relative}.ant-table-thead>tr>th .ant-table-header-column .ant-table-column-sorters:before{position:absolute;top:0;right:0;bottom:0;left:0;background:transparent;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s;content:\"\"}.ant-table-thead>tr>th .ant-table-header-column .ant-table-column-sorters:hover:before{background:rgba(0,0,0,.04)}.ant-table-thead>tr>th.ant-table-column-has-sorters{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ant-table-thead>tr:first-child>th:first-child{border-top-left-radius:4px}.ant-table-thead>tr:first-child>th:last-child{border-top-right-radius:4px}.ant-table-thead>tr:not(:last-child)>th[colspan]{border-bottom:0}.ant-table-tbody>tr>td{border-bottom:1px solid #e8e8e8;-webkit-transition:all .3s,border 0s;-o-transition:all .3s,border 0s;transition:all .3s,border 0s}.ant-table-tbody>tr,.ant-table-thead>tr{-webkit-transition:all .3s,height 0s;-o-transition:all .3s,height 0s;transition:all .3s,height 0s}.ant-table-tbody>tr.ant-table-row-hover:not(.ant-table-expanded-row):not(.ant-table-row-selected)>td,.ant-table-tbody>tr:hover:not(.ant-table-expanded-row):not(.ant-table-row-selected)>td,.ant-table-thead>tr.ant-table-row-hover:not(.ant-table-expanded-row):not(.ant-table-row-selected)>td,.ant-table-thead>tr:hover:not(.ant-table-expanded-row):not(.ant-table-row-selected)>td{background:#e6f7ff}.ant-table-tbody>tr.ant-table-row-selected>td.ant-table-column-sort,.ant-table-tbody>tr:hover.ant-table-row-selected>td,.ant-table-tbody>tr:hover.ant-table-row-selected>td.ant-table-column-sort,.ant-table-thead>tr.ant-table-row-selected>td.ant-table-column-sort,.ant-table-thead>tr:hover.ant-table-row-selected>td,.ant-table-thead>tr:hover.ant-table-row-selected>td.ant-table-column-sort{background:#fafafa}.ant-table-thead>tr:hover{background:none}.ant-table-footer{position:relative;padding:16px;color:rgba(0,0,0,.85);background:#fafafa;border-top:1px solid #e8e8e8;border-radius:0 0 4px 4px}.ant-table-footer:before{position:absolute;top:-1px;left:0;width:100%;height:1px;background:#fafafa;content:\"\"}.ant-table.ant-table-bordered .ant-table-footer{border:1px solid #e8e8e8}.ant-table-title{position:relative;top:1px;padding:16px 0;border-radius:4px 4px 0 0}.ant-table.ant-table-bordered .ant-table-title{padding-right:16px;padding-left:16px;border:1px solid #e8e8e8}.ant-table-title+.ant-table-content{position:relative;border-radius:4px 4px 0 0}.ant-table-bordered .ant-table-title+.ant-table-content,.ant-table-bordered .ant-table-title+.ant-table-content .ant-table-thead>tr:first-child>th,.ant-table-bordered .ant-table-title+.ant-table-content table,.ant-table-without-column-header .ant-table-title+.ant-table-content,.ant-table-without-column-header table{border-radius:0}.ant-table-without-column-header.ant-table-bordered.ant-table-empty .ant-table-placeholder{border-top:1px solid #e8e8e8;border-radius:4px}.ant-table-tbody>tr.ant-table-row-selected td{color:inherit;background:#fafafa}.ant-table-thead>tr>th.ant-table-column-sort{background:#f5f5f5}.ant-table-tbody>tr>td.ant-table-column-sort{background:rgba(0,0,0,.01)}.ant-table-tbody>tr>td,.ant-table-thead>tr>th{padding:16px;overflow-wrap:break-word}.ant-table-expand-icon-th,.ant-table-row-expand-icon-cell{width:50px;min-width:50px;text-align:center}.ant-table-header{overflow:hidden;background:#fafafa}.ant-table-header table{border-radius:4px 4px 0 0}.ant-table-loading{position:relative}.ant-table-loading .ant-table-body{background:#fff;opacity:.5}.ant-table-loading .ant-table-spin-holder{position:absolute;top:50%;left:50%;height:20px;margin-left:-30px;line-height:20px}.ant-table-loading .ant-table-with-pagination{margin-top:-20px}.ant-table-loading .ant-table-without-pagination{margin-top:10px}.ant-table-bordered .ant-table-body>table,.ant-table-bordered .ant-table-fixed-left table,.ant-table-bordered .ant-table-fixed-right table,.ant-table-bordered .ant-table-header>table{border:1px solid #e8e8e8;border-right:0;border-bottom:0}.ant-table-bordered.ant-table-empty .ant-table-placeholder{border-right:1px solid #e8e8e8;border-left:1px solid #e8e8e8}.ant-table-bordered.ant-table-fixed-header .ant-table-header>table{border-bottom:0}.ant-table-bordered.ant-table-fixed-header .ant-table-body>table{border-top-left-radius:0;border-top-right-radius:0}.ant-table-bordered.ant-table-fixed-header .ant-table-body-inner>table,.ant-table-bordered.ant-table-fixed-header .ant-table-header+.ant-table-body>table{border-top:0}.ant-table-bordered .ant-table-thead>tr:not(:last-child)>th{border-bottom:1px solid #e8e8e8}.ant-table-bordered .ant-table-tbody>tr>td,.ant-table-bordered .ant-table-thead>tr>th{border-right:1px solid #e8e8e8}.ant-table-placeholder{position:relative;z-index:1;margin-top:-1px;padding:16px;color:rgba(0,0,0,.25);font-size:14px;text-align:center;background:#fff;border-top:1px solid #e8e8e8;border-bottom:1px solid #e8e8e8;border-radius:0 0 4px 4px}.ant-table-pagination.ant-pagination{float:right;margin:16px 0}.ant-table-filter-dropdown{position:relative;min-width:96px;margin-left:-8px;background:#fff;border-radius:4px;-webkit-box-shadow:0 2px 8px rgba(0,0,0,.15);box-shadow:0 2px 8px rgba(0,0,0,.15)}.ant-table-filter-dropdown .ant-dropdown-menu{border:0;border-radius:4px 4px 0 0;-webkit-box-shadow:none;box-shadow:none}.ant-table-filter-dropdown .ant-dropdown-menu-without-submenu{max-height:400px;overflow-x:hidden}.ant-table-filter-dropdown .ant-dropdown-menu-item>label+span{padding-right:0}.ant-table-filter-dropdown .ant-dropdown-menu-sub{border-radius:4px;-webkit-box-shadow:0 2px 8px rgba(0,0,0,.15);box-shadow:0 2px 8px rgba(0,0,0,.15)}.ant-table-filter-dropdown .ant-dropdown-menu .ant-dropdown-submenu-contain-selected .ant-dropdown-menu-submenu-title:after{color:#1890ff;font-weight:700;text-shadow:0 0 2px #bae7ff}.ant-table-filter-dropdown .ant-dropdown-menu-item{overflow:hidden}.ant-table-filter-dropdown>.ant-dropdown-menu>.ant-dropdown-menu-item:last-child,.ant-table-filter-dropdown>.ant-dropdown-menu>.ant-dropdown-menu-submenu:last-child .ant-dropdown-menu-submenu-title{border-radius:0}.ant-table-filter-dropdown-btns{padding:7px 8px;overflow:hidden;border-top:1px solid #e8e8e8}.ant-table-filter-dropdown-link{color:#1890ff}.ant-table-filter-dropdown-link:hover{color:#40a9ff}.ant-table-filter-dropdown-link:active{color:#096dd9}.ant-table-filter-dropdown-link.confirm{float:left}.ant-table-filter-dropdown-link.clear{float:right}.ant-table-selection{white-space:nowrap}.ant-table-selection-select-all-custom{margin-right:4px!important}.ant-table-selection .anticon-down{color:#bfbfbf;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-table-selection-menu{min-width:96px;margin-top:5px;margin-left:-30px;background:#fff;border-radius:4px;-webkit-box-shadow:0 2px 8px rgba(0,0,0,.15);box-shadow:0 2px 8px rgba(0,0,0,.15)}.ant-table-selection-menu .ant-action-down{color:#bfbfbf}.ant-table-selection-down{display:inline-block;padding:0;line-height:1;cursor:pointer}.ant-table-selection-down:hover .anticon-down{color:rgba(0,0,0,.6)}.ant-table-row-expand-icon{color:#1890ff;text-decoration:none;cursor:pointer;-webkit-transition:color .3s;-o-transition:color .3s;transition:color .3s;display:inline-block;width:17px;height:17px;color:inherit;line-height:13px;text-align:center;background:#fff;border:1px solid #e8e8e8;border-radius:2px;outline:none;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ant-table-row-expand-icon:focus,.ant-table-row-expand-icon:hover{color:#40a9ff}.ant-table-row-expand-icon:active{color:#096dd9}.ant-table-row-expand-icon:active,.ant-table-row-expand-icon:focus,.ant-table-row-expand-icon:hover{border-color:currentColor}.ant-table-row-expanded:after{content:\"-\"}.ant-table-row-collapsed:after{content:\"+\"}.ant-table-row-spaced{visibility:hidden}.ant-table-row-spaced:after{content:\".\"}.ant-table-row-cell-ellipsis,.ant-table-row-cell-ellipsis .ant-table-column-title{overflow:hidden;white-space:nowrap;-o-text-overflow:ellipsis;text-overflow:ellipsis}.ant-table-row-cell-ellipsis .ant-table-column-title{display:block}.ant-table-row-cell-break-word{word-wrap:break-word;word-break:break-word}tr.ant-table-expanded-row,tr.ant-table-expanded-row:hover{background:#fbfbfb}tr.ant-table-expanded-row td>.ant-table-wrapper{margin:-16px -16px -17px}.ant-table .ant-table-row-indent+.ant-table-row-expand-icon{margin-right:8px}.ant-table-scroll{overflow:auto;overflow-x:hidden}.ant-table-scroll table{min-width:100%}.ant-table-scroll table .ant-table-fixed-columns-in-body:not([colspan]){visibility:hidden}.ant-table-body-inner{height:100%}.ant-table-fixed-header>.ant-table-content>.ant-table-scroll>.ant-table-body{position:relative;background:#fff}.ant-table-fixed-header .ant-table-body-inner{overflow:scroll}.ant-table-fixed-header .ant-table-scroll .ant-table-header{margin-bottom:-20px;padding-bottom:20px;overflow:scroll;opacity:.9999}.ant-table-fixed-header .ant-table-scroll .ant-table-header::-webkit-scrollbar{border:1px solid #e8e8e8;border-width:0 0 1px}.ant-table-hide-scrollbar{scrollbar-color:transparent transparent;min-width:unset}.ant-table-hide-scrollbar::-webkit-scrollbar{min-width:inherit;background-color:transparent}.ant-table-bordered.ant-table-fixed-header .ant-table-scroll .ant-table-header::-webkit-scrollbar{border:1px solid #e8e8e8;border-width:1px 1px 1px 0}.ant-table-bordered.ant-table-fixed-header .ant-table-scroll .ant-table-header.ant-table-hide-scrollbar .ant-table-thead>tr:only-child>th:last-child{border-right-color:transparent}.ant-table-fixed-left,.ant-table-fixed-right{position:absolute;top:0;z-index:auto;overflow:hidden;border-radius:0;-webkit-transition:-webkit-box-shadow .3s ease;transition:-webkit-box-shadow .3s ease;-o-transition:box-shadow .3s ease;transition:box-shadow .3s ease;transition:box-shadow .3s ease,-webkit-box-shadow .3s ease}.ant-table-fixed-left table,.ant-table-fixed-right table{width:auto;background:#fff}.ant-table-fixed-header .ant-table-fixed-left .ant-table-body-outer .ant-table-fixed,.ant-table-fixed-header .ant-table-fixed-right .ant-table-body-outer .ant-table-fixed{border-radius:0}.ant-table-fixed-left{left:0;-webkit-box-shadow:6px 0 6px -4px rgba(0,0,0,.15);box-shadow:6px 0 6px -4px rgba(0,0,0,.15)}.ant-table-fixed-left .ant-table-header{overflow-y:hidden}.ant-table-fixed-left .ant-table-body-inner{margin-right:-20px;padding-right:20px}.ant-table-fixed-header .ant-table-fixed-left .ant-table-body-inner{padding-right:0}.ant-table-fixed-left,.ant-table-fixed-left table{border-radius:4px 0 0 0}.ant-table-fixed-left .ant-table-thead>tr>th:last-child{border-top-right-radius:0}.ant-table-fixed-right{right:0;-webkit-box-shadow:-6px 0 6px -4px rgba(0,0,0,.15);box-shadow:-6px 0 6px -4px rgba(0,0,0,.15)}.ant-table-fixed-right,.ant-table-fixed-right table{border-radius:0 4px 0 0}.ant-table-fixed-right .ant-table-expanded-row{color:transparent;pointer-events:none}.ant-table-fixed-right .ant-table-thead>tr>th:first-child{border-top-left-radius:0}.ant-table.ant-table-scroll-position-left .ant-table-fixed-left,.ant-table.ant-table-scroll-position-right .ant-table-fixed-right{-webkit-box-shadow:none;box-shadow:none}.ant-table colgroup>col.ant-table-selection-col{width:60px}.ant-table-thead>tr>th.ant-table-selection-column-custom .ant-table-selection{margin-right:-15px}.ant-table-tbody>tr>td.ant-table-selection-column,.ant-table-thead>tr>th.ant-table-selection-column{text-align:center}.ant-table-tbody>tr>td.ant-table-selection-column .ant-radio-wrapper,.ant-table-thead>tr>th.ant-table-selection-column .ant-radio-wrapper{margin-right:0}.ant-table-row[class*=ant-table-row-level-0] .ant-table-selection-column>span{display:inline-block}.ant-table-filter-dropdown-submenu .ant-checkbox-wrapper+span,.ant-table-filter-dropdown .ant-checkbox-wrapper+span{padding-left:8px}@supports (-moz-appearance:meterbar){.ant-table-thead>tr>th.ant-table-column-has-actions{background-clip:padding-box}}.ant-table-middle>.ant-table-content>.ant-table-body>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-body>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-footer,.ant-table-middle>.ant-table-content>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-middle>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-middle>.ant-table-title{padding:12px 8px}.ant-table-middle tr.ant-table-expanded-row td>.ant-table-wrapper{margin:-12px -8px -13px}.ant-table-small{border:1px solid #e8e8e8;border-radius:4px}.ant-table-small>.ant-table-content>.ant-table-footer,.ant-table-small>.ant-table-title{padding:8px}.ant-table-small>.ant-table-title{top:0;border-bottom:1px solid #e8e8e8}.ant-table-small>.ant-table-content>.ant-table-footer{background-color:transparent;border-top:1px solid #e8e8e8}.ant-table-small>.ant-table-content>.ant-table-footer:before{background-color:transparent}.ant-table-small>.ant-table-content>.ant-table-body{margin:0 8px}.ant-table-small>.ant-table-content>.ant-table-body>table,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table,.ant-table-small>.ant-table-content>.ant-table-header>table,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table{border:0}.ant-table-small>.ant-table-content>.ant-table-body>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-body>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-tbody>tr>td,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-thead>tr>th{padding:8px}.ant-table-small>.ant-table-content>.ant-table-body>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-header>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-thead>tr>th,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-thead>tr>th{background-color:transparent}.ant-table-small>.ant-table-content>.ant-table-body>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-header>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-thead>tr,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-thead>tr{border-bottom:1px solid #e8e8e8}.ant-table-small>.ant-table-content>.ant-table-body>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-header>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table>.ant-table-thead>tr>th.ant-table-column-sort,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table>.ant-table-thead>tr>th.ant-table-column-sort{background-color:rgba(0,0,0,.01)}.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-body-outer>.ant-table-body-inner>table,.ant-table-small>.ant-table-content>.ant-table-fixed-left>.ant-table-header>table,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-body-outer>.ant-table-body-inner>table,.ant-table-small>.ant-table-content>.ant-table-fixed-right>.ant-table-header>table,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-body>table,.ant-table-small>.ant-table-content>.ant-table-scroll>.ant-table-header>table{padding:0}.ant-table-small>.ant-table-content .ant-table-header{background-color:transparent;border-radius:4px 4px 0 0}.ant-table-small>.ant-table-content .ant-table-placeholder,.ant-table-small>.ant-table-content .ant-table-row:last-child td{border-bottom:0}.ant-table-small.ant-table-bordered{border-right:0}.ant-table-small.ant-table-bordered .ant-table-title{border:0;border-right:1px solid #e8e8e8;border-bottom:1px solid #e8e8e8}.ant-table-small.ant-table-bordered .ant-table-content{border-right:1px solid #e8e8e8}.ant-table-small.ant-table-bordered .ant-table-footer{border:0;border-top:1px solid #e8e8e8}.ant-table-small.ant-table-bordered .ant-table-footer:before{display:none}.ant-table-small.ant-table-bordered .ant-table-placeholder{border-right:0;border-bottom:0;border-left:0}.ant-table-small.ant-table-bordered .ant-table-tbody>tr>td:last-child,.ant-table-small.ant-table-bordered .ant-table-thead>tr>th.ant-table-row-cell-last{border-right:none}.ant-table-small.ant-table-bordered .ant-table-fixed-left .ant-table-tbody>tr>td:last-child,.ant-table-small.ant-table-bordered .ant-table-fixed-left .ant-table-thead>tr>th:last-child{border-right:1px solid #e8e8e8}.ant-table-small.ant-table-bordered .ant-table-fixed-right{border-right:1px solid #e8e8e8;border-left:1px solid #e8e8e8}.ant-table-small tr.ant-table-expanded-row td>.ant-table-wrapper{margin:-8px -8px -9px}.ant-table-small.ant-table-fixed-header>.ant-table-content>.ant-table-scroll>.ant-table-body{border-radius:0 0 4px 4px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_antd@3.26.4@antd/lib/table/style/index.css"],"names":[],"mappings":"AAIA,mBACE,MAAQ,CACT,AACD,mDAEE,cAAe,AACf,UAAY,CACb,AACD,yBACE,UAAY,CACb,AACD,WACE,8BAA+B,AACvB,sBAAuB,AAC/B,SAAU,AACV,UAAW,AACX,sBAA2B,AAC3B,eAAgB,AAChB,0BAA2B,AAC3B,gBAAiB,AACjB,gBAAiB,AACjB,qCAAsC,AAC9B,6BAA8B,AACtC,kBAAmB,AACnB,UAAY,CACb,AACD,gBACE,+BAAiC,AACjC,0BAA4B,AAC5B,sBAAyB,CAC1B,AACD,iCACE,0BAA4B,AAC5B,2BAA8B,CAC/B,AACD,iBACE,WAAY,AACZ,gBAAiB,AACjB,0BAA2B,AAC3B,yBAA0B,AAC1B,gBAAkB,CACnB,AACD,8BACE,kBAAoB,CACrB,AACD,uBACE,sBAA2B,AAC3B,gBAAiB,AACjB,gBAAiB,AACjB,mBAAoB,AACpB,gCAAiC,AACjC,uCAAyC,AACzC,kCAAoC,AACpC,8BAAiC,CAClC,AACD,gCACE,iBAAmB,CACpB,AACD,qFAEE,kBAAmB,AACnB,MAAO,AACP,QAAS,AACT,WAAY,AACZ,YAAa,AACb,cAAe,AACf,eAAgB,AAChB,kBAAmB,AACnB,eAAgB,AAChB,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,6FAEE,kBAAmB,AACnB,QAAS,AACT,SAAU,AACV,gBAAiB,AACjB,gBAAkB,CACnB,AACD,iEACE,aAAe,CAChB,AACD,gDACE,mBAAoB,AACpB,qBAAuB,CACxB,AACD,+EACE,WAAY,AACZ,iBAAmB,AACnB,wBAA0B,AAC1B,cAAe,AACf,gBAAiB,AACjB,kBAAmB,AACnB,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,wNAEE,qBAAsB,AACtB,eAAgB,AAChB,iBAAmB,AACnB,gDAAkD,AAC9C,4CAA8C,AAC1C,wCAA0C,AAClD,cAAe,AACf,WAAY,AACZ,gBAAiB,AACjB,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,oOAEE,cAAgB,CACjB,AACD,8NAEE,aAAe,CAChB,AACD,oFACE,iBAAoB,CACrB,AACD,kOAEE,YAAc,AACd,gBAAmB,CACpB,AACD,kHACE,iBAAoB,CACrB,AACD,oDACE,kBAAmB,AACnB,4BAA6B,AAE7B,kCAAoC,CACrC,AACD,iFACE,4BAA+B,CAChC,AAMD,sdAEE,sBAA2B,AAC3B,kBAAoB,CACrB,AACD,mOAEE,qBAA2B,CAC5B,AACD,iFACE,cAAgB,CACjB,AAID,4SAEE,kBAAoB,CACrB,AACD,4PAEE,qBAA2B,CAC5B,AACD,gDACE,qBAAsB,AACtB,eAAgB,AAChB,kBAAoB,CACrB,AACD,0EACE,aAAe,CAChB,AACD,kGACE,mBAAoB,AACpB,qBAAuB,CACxB,AACD,yGACE,iBAAmB,CACpB,AACD,iFACE,kBAAmB,AACnB,MAAO,AACP,QAAS,AACT,SAAU,AACV,OAAQ,AACR,uBAAwB,AACxB,2BAA6B,AAC7B,sBAAwB,AACxB,mBAAqB,AACrB,UAAY,CACb,AACD,uFACE,0BAAgC,CACjC,AACD,oDACE,yBAA0B,AACvB,sBAAuB,AACtB,qBAAsB,AAClB,gBAAkB,CAC3B,AACD,+CACE,0BAA4B,CAC7B,AACD,8CACE,2BAA6B,CAC9B,AACD,iDACE,eAAiB,CAClB,AACD,uBACE,gCAAiC,AACjC,qCAAwC,AACxC,gCAAmC,AACnC,4BAAgC,CACjC,AACD,wCAEE,qCAAwC,AACxC,gCAAmC,AACnC,4BAAgC,CACjC,AACD,wXAIE,kBAAoB,CACrB,AASD,oYAEE,kBAAoB,CACrB,AACD,0BACE,eAAiB,CAClB,AACD,kBACE,kBAAmB,AACnB,aAAmB,AACnB,sBAA2B,AAC3B,mBAAoB,AACpB,6BAA8B,AAC9B,yBAA2B,CAC5B,AACD,yBACE,kBAAmB,AACnB,SAAU,AACV,OAAQ,AACR,WAAY,AACZ,WAAY,AACZ,mBAAoB,AACpB,UAAY,CACb,AACD,gDACE,wBAA0B,CAC3B,AACD,iBACE,kBAAmB,AACnB,QAAS,AACT,eAAgB,AAChB,yBAA2B,CAC5B,AACD,+CACE,mBAAoB,AACpB,kBAAmB,AACnB,wBAA0B,CAC3B,AACD,oCACE,kBAAmB,AACnB,yBAA2B,CAC5B,AAMD,6TAEE,eAAiB,CAClB,AACD,2FACE,6BAA8B,AAC9B,iBAAmB,CACpB,AACD,8CACE,cAAe,AACf,kBAAoB,CACrB,AACD,6CACE,kBAAoB,CACrB,AACD,6CACE,0BAAgC,CACjC,AACD,8CAEE,aAAmB,AACnB,wBAA0B,CAC3B,AACD,0DAEE,WAAY,AACZ,eAAgB,AAChB,iBAAmB,CACpB,AACD,kBACE,gBAAiB,AACjB,kBAAoB,CACrB,AACD,wBACE,yBAA2B,CAC5B,AACD,mBACE,iBAAmB,CACpB,AACD,mCACE,gBAAiB,AACjB,UAAa,CACd,AACD,0CACE,kBAAmB,AACnB,QAAS,AACT,SAAU,AACV,YAAa,AACb,kBAAmB,AACnB,gBAAkB,CACnB,AACD,8CACE,gBAAkB,CACnB,AACD,iDACE,eAAiB,CAClB,AACD,uLAIE,yBAA0B,AAC1B,eAAgB,AAChB,eAAiB,CAClB,AACD,2DACE,+BAAgC,AAChC,6BAA+B,CAChC,AACD,mEACE,eAAiB,CAClB,AACD,iEACE,yBAA0B,AAC1B,yBAA2B,CAC5B,AACD,0JAEE,YAAc,CACf,AACD,4DACE,+BAAiC,CAClC,AACD,sFAEE,8BAAgC,CACjC,AACD,uBACE,kBAAmB,AACnB,UAAW,AACX,gBAAiB,AACjB,aAAmB,AACnB,sBAA2B,AAC3B,eAAgB,AAChB,kBAAmB,AACnB,gBAAiB,AACjB,6BAA8B,AAC9B,gCAAiC,AACjC,yBAA2B,CAC5B,AACD,qCACE,YAAa,AACb,aAAe,CAChB,AACD,2BACE,kBAAmB,AACnB,eAAgB,AAChB,iBAAkB,AAClB,gBAAiB,AACjB,kBAAmB,AACnB,6CAAkD,AAC1C,oCAA0C,CACnD,AACD,8CACE,SAAU,AACV,0BAA2B,AAC3B,wBAAyB,AACjB,eAAiB,CAC1B,AACD,8DACE,iBAAkB,AAClB,iBAAmB,CACpB,AACD,8DACE,eAAiB,CAClB,AACD,kDACE,kBAAmB,AACnB,6CAAkD,AAC1C,oCAA0C,CACnD,AACD,4HACE,cAAe,AACf,gBAAkB,AAClB,2BAA6B,CAC9B,AACD,mDACE,eAAiB,CAClB,AACD,sMAEE,eAAiB,CAClB,AACD,gCACE,gBAAiB,AACjB,gBAAiB,AACjB,4BAA8B,CAC/B,AACD,gCACE,aAAe,CAChB,AACD,sCACE,aAAe,CAChB,AACD,uCACE,aAAe,CAChB,AACD,wCACE,UAAY,CACb,AACD,sCACE,WAAa,CACd,AACD,qBACE,kBAAoB,CACrB,AACD,uCACE,0BAA6B,CAC9B,AACD,mCACE,cAAe,AACf,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,0BACE,eAAgB,AAChB,eAAgB,AAChB,kBAAmB,AACnB,gBAAiB,AACjB,kBAAmB,AACnB,6CAAkD,AAC1C,oCAA0C,CACnD,AACD,2CACE,aAAe,CAChB,AACD,0BACE,qBAAsB,AACtB,UAAW,AACX,cAAe,AACf,cAAgB,CACjB,AACD,8CACE,oBAA0B,CAC3B,AACD,2BACE,cAAe,AACf,qBAAsB,AACtB,eAAgB,AAChB,6BAA+B,AAC/B,wBAA0B,AAC1B,qBAAuB,AACvB,qBAAsB,AACtB,WAAY,AACZ,YAAa,AACb,cAAe,AACf,iBAAkB,AAClB,kBAAmB,AACnB,gBAAiB,AACjB,yBAA0B,AAC1B,kBAAmB,AACnB,aAAc,AACd,2BAA6B,AAC7B,sBAAwB,AACxB,mBAAqB,AACrB,yBAA0B,AACvB,sBAAuB,AACtB,qBAAsB,AAClB,gBAAkB,CAC3B,AACD,kEAEE,aAAe,CAChB,AACD,kCACE,aAAe,CAChB,AACD,oGAGE,yBAA2B,CAC5B,AACD,8BACE,WAAa,CACd,AACD,+BACE,WAAa,CACd,AACD,sBACE,iBAAmB,CACpB,AACD,4BACE,WAAa,CACd,AACD,kFAEE,gBAAiB,AACjB,mBAAoB,AACpB,0BAA2B,AACxB,sBAAwB,CAC5B,AACD,qDACE,aAAe,CAChB,AACD,+BACE,qBAAsB,AACtB,qBAAuB,CACxB,AACD,0DAEE,kBAAoB,CACrB,AACD,gDACE,wBAA0B,CAC3B,AACD,4DACE,gBAAkB,CACnB,AACD,kBACE,cAAe,AACf,iBAAmB,CACpB,AACD,wBACE,cAAgB,CACjB,AACD,wEACE,iBAAmB,CACpB,AACD,sBACE,WAAa,CACd,AACD,6EACE,kBAAmB,AACnB,eAAiB,CAClB,AACD,8CACE,eAAiB,CAClB,AACD,4DACE,oBAAqB,AACrB,oBAAqB,AACrB,gBAAiB,AACjB,aAAgB,CACjB,AACD,+EACE,yBAA0B,AAC1B,oBAAwB,CACzB,AACD,0BACE,wCAAyC,AACzC,eAAiB,CAClB,AACD,6CACE,kBAAmB,AACnB,4BAA8B,CAC/B,AACD,kGACE,yBAA0B,AAC1B,0BAA4B,CAC7B,AACD,qJACE,8BAAgC,CACjC,AACD,6CAEE,kBAAmB,AACnB,MAAO,AACP,aAAc,AACd,gBAAiB,AACjB,gBAAiB,AACjB,+CAAiD,AACjD,uCAAyC,AACzC,kCAAoC,AACpC,+BAAiC,AACjC,0DAA+D,CAChE,AACD,yDAEE,WAAY,AACZ,eAAiB,CAClB,AACD,2KAEE,eAAiB,CAClB,AACD,sBACE,OAAQ,AACR,kDAAuD,AAC/C,yCAA+C,CACxD,AACD,wCACE,iBAAmB,CACpB,AACD,4CACE,mBAAoB,AACpB,kBAAoB,CACrB,AACD,oEACE,eAAiB,CAClB,AACD,kDAEE,uBAAyB,CAC1B,AACD,wDACE,yBAA2B,CAC5B,AACD,uBACE,QAAS,AACT,mDAAwD,AAChD,0CAAgD,CACzD,AACD,oDAEE,uBAAyB,CAC1B,AACD,+CACE,kBAAmB,AACnB,mBAAqB,CACtB,AACD,0DACE,wBAA0B,CAC3B,AAKD,kIACE,wBAAyB,AACjB,eAAiB,CAC1B,AACD,gDACE,UAAY,CACb,AACD,8EACE,kBAAoB,CACrB,AACD,oGAEE,iBAAmB,CACpB,AACD,0IAEE,cAAgB,CACjB,AACD,8EACE,oBAAsB,CACvB,AACD,oHAEE,gBAAkB,CACnB,AAID,qCACE,oDACE,2BAA6B,CAC9B,CACF,AAKD,svDAgBE,gBAAkB,CACnB,AACD,kEACE,uBAAyB,CAC1B,AACD,iBACE,yBAA0B,AAC1B,iBAAmB,CACpB,AACD,wFAEE,WAAiB,CAClB,AACD,kCACE,MAAO,AACP,+BAAiC,CAClC,AACD,sDACE,6BAA8B,AAC9B,4BAA8B,CAC/B,AACD,6DACE,4BAA8B,CAC/B,AACD,oDACE,YAAc,CACf,AACD,8oBAQE,QAAU,CACX,AACD,4oDAgBE,WAAiB,CAClB,AACD,s0BAQE,4BAA8B,CAC/B,AACD,8yBAQE,+BAAiC,CAClC,AACD,s/BAQE,gCAAsC,CACvC,AACD,whBAME,SAAW,CACZ,AACD,sDACE,6BAA8B,AAC9B,yBAA2B,CAC5B,AACD,4HAEE,eAAiB,CAClB,AACD,oCACE,cAAgB,CACjB,AACD,qDACE,SAAU,AACV,+BAAgC,AAChC,+BAAiC,CAClC,AACD,uDACE,8BAAgC,CACjC,AACD,sDACE,SAAU,AACV,4BAA8B,CAC/B,AACD,6DACE,YAAc,CACf,AACD,2DACE,eAAgB,AAChB,gBAAiB,AACjB,aAAe,CAChB,AACD,yJAEE,iBAAmB,CACpB,AACD,wLAEE,8BAAgC,CACjC,AACD,2DACE,+BAAgC,AAChC,6BAA+B,CAChC,AACD,iEACE,qBAAuB,CACxB,AACD,6FACE,yBAA2B,CAC5B","file":"index.css","sourcesContent":["/* stylelint-disable at-rule-empty-line-before,at-rule-name-space-after,at-rule-no-unknown */\n/* stylelint-disable no-duplicate-selectors */\n/* stylelint-disable */\n/* stylelint-disable declaration-bang-space-before,no-duplicate-selectors,string-no-newline */\n.ant-table-wrapper {\n zoom: 1;\n}\n.ant-table-wrapper::before,\n.ant-table-wrapper::after {\n display: table;\n content: '';\n}\n.ant-table-wrapper::after {\n clear: both;\n}\n.ant-table {\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n margin: 0;\n padding: 0;\n color: rgba(0, 0, 0, 0.65);\n font-size: 14px;\n font-variant: tabular-nums;\n line-height: 1.5;\n list-style: none;\n -webkit-font-feature-settings: 'tnum';\n font-feature-settings: 'tnum';\n position: relative;\n clear: both;\n}\n.ant-table-body {\n -webkit-transition: opacity 0.3s;\n -o-transition: opacity 0.3s;\n transition: opacity 0.3s;\n}\n.ant-table-empty .ant-table-body {\n overflow-x: auto !important;\n overflow-y: hidden !important;\n}\n.ant-table table {\n width: 100%;\n text-align: left;\n border-radius: 4px 4px 0 0;\n border-collapse: separate;\n border-spacing: 0;\n}\n.ant-table-layout-fixed table {\n table-layout: fixed;\n}\n.ant-table-thead > tr > th {\n color: rgba(0, 0, 0, 0.85);\n font-weight: 500;\n text-align: left;\n background: #fafafa;\n border-bottom: 1px solid #e8e8e8;\n -webkit-transition: background 0.3s ease;\n -o-transition: background 0.3s ease;\n transition: background 0.3s ease;\n}\n.ant-table-thead > tr > th[colspan] {\n text-align: center;\n}\n.ant-table-thead > tr > th .anticon-filter,\n.ant-table-thead > tr > th .ant-table-filter-icon {\n position: absolute;\n top: 0;\n right: 0;\n width: 28px;\n height: 100%;\n color: #bfbfbf;\n font-size: 12px;\n text-align: center;\n cursor: pointer;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-table-thead > tr > th .anticon-filter > svg,\n.ant-table-thead > tr > th .ant-table-filter-icon > svg {\n position: absolute;\n top: 50%;\n left: 50%;\n margin-top: -5px;\n margin-left: -6px;\n}\n.ant-table-thead > tr > th .ant-table-filter-selected.anticon-filter {\n color: #1890ff;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter {\n display: table-cell;\n vertical-align: middle;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner {\n height: 1em;\n margin-top: 0.35em;\n margin-left: 0.57142857em;\n color: #bfbfbf;\n line-height: 1em;\n text-align: center;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-up,\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-down {\n display: inline-block;\n font-size: 12px;\n font-size: 11px \\9;\n -webkit-transform: scale(0.91666667) rotate(0deg);\n -ms-transform: scale(0.91666667) rotate(0deg);\n transform: scale(0.91666667) rotate(0deg);\n display: block;\n height: 1em;\n line-height: 1em;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n:root .ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-up,\n:root .ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-down {\n font-size: 12px;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-up.on,\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner .ant-table-column-sorter-down.on {\n color: #1890ff;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner-full {\n margin-top: -0.15em;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner-full .ant-table-column-sorter-up,\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner-full .ant-table-column-sorter-down {\n height: 0.5em;\n line-height: 0.5em;\n}\n.ant-table-thead > tr > th .ant-table-column-sorter .ant-table-column-sorter-inner-full .ant-table-column-sorter-down {\n margin-top: 0.125em;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions {\n position: relative;\n background-clip: padding-box;\n /* stylelint-disable-next-line */\n -webkit-background-clip: border-box;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters {\n padding-right: 30px !important;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters .anticon-filter.ant-table-filter-open,\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters .ant-table-filter-icon.ant-table-filter-open {\n color: rgba(0, 0, 0, 0.45);\n background: #e5e5e5;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters:hover .anticon-filter:hover,\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters:hover .ant-table-filter-icon:hover {\n color: rgba(0, 0, 0, 0.45);\n background: #e5e5e5;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters:hover .anticon-filter:active,\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-filters:hover .ant-table-filter-icon:active {\n color: rgba(0, 0, 0, 0.65);\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-sorters {\n cursor: pointer;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-sorters:hover {\n background: #f2f2f2;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-sorters:hover .anticon-filter,\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-sorters:hover .ant-table-filter-icon {\n background: #f2f2f2;\n}\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-sorters:active .ant-table-column-sorter-up:not(.on),\n.ant-table-thead > tr > th.ant-table-column-has-actions.ant-table-column-has-sorters:active .ant-table-column-sorter-down:not(.on) {\n color: rgba(0, 0, 0, 0.45);\n}\n.ant-table-thead > tr > th .ant-table-header-column {\n display: inline-block;\n max-width: 100%;\n vertical-align: top;\n}\n.ant-table-thead > tr > th .ant-table-header-column .ant-table-column-sorters {\n display: table;\n}\n.ant-table-thead > tr > th .ant-table-header-column .ant-table-column-sorters > .ant-table-column-title {\n display: table-cell;\n vertical-align: middle;\n}\n.ant-table-thead > tr > th .ant-table-header-column .ant-table-column-sorters > *:not(.ant-table-column-sorter) {\n position: relative;\n}\n.ant-table-thead > tr > th .ant-table-header-column .ant-table-column-sorters::before {\n position: absolute;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n background: transparent;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n content: '';\n}\n.ant-table-thead > tr > th .ant-table-header-column .ant-table-column-sorters:hover::before {\n background: rgba(0, 0, 0, 0.04);\n}\n.ant-table-thead > tr > th.ant-table-column-has-sorters {\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.ant-table-thead > tr:first-child > th:first-child {\n border-top-left-radius: 4px;\n}\n.ant-table-thead > tr:first-child > th:last-child {\n border-top-right-radius: 4px;\n}\n.ant-table-thead > tr:not(:last-child) > th[colspan] {\n border-bottom: 0;\n}\n.ant-table-tbody > tr > td {\n border-bottom: 1px solid #e8e8e8;\n -webkit-transition: all 0.3s, border 0s;\n -o-transition: all 0.3s, border 0s;\n transition: all 0.3s, border 0s;\n}\n.ant-table-thead > tr,\n.ant-table-tbody > tr {\n -webkit-transition: all 0.3s, height 0s;\n -o-transition: all 0.3s, height 0s;\n transition: all 0.3s, height 0s;\n}\n.ant-table-thead > tr.ant-table-row-hover:not(.ant-table-expanded-row):not(.ant-table-row-selected) > td,\n.ant-table-tbody > tr.ant-table-row-hover:not(.ant-table-expanded-row):not(.ant-table-row-selected) > td,\n.ant-table-thead > tr:hover:not(.ant-table-expanded-row):not(.ant-table-row-selected) > td,\n.ant-table-tbody > tr:hover:not(.ant-table-expanded-row):not(.ant-table-row-selected) > td {\n background: #e6f7ff;\n}\n.ant-table-thead > tr.ant-table-row-selected > td.ant-table-column-sort,\n.ant-table-tbody > tr.ant-table-row-selected > td.ant-table-column-sort {\n background: #fafafa;\n}\n.ant-table-thead > tr:hover.ant-table-row-selected > td,\n.ant-table-tbody > tr:hover.ant-table-row-selected > td {\n background: #fafafa;\n}\n.ant-table-thead > tr:hover.ant-table-row-selected > td.ant-table-column-sort,\n.ant-table-tbody > tr:hover.ant-table-row-selected > td.ant-table-column-sort {\n background: #fafafa;\n}\n.ant-table-thead > tr:hover {\n background: none;\n}\n.ant-table-footer {\n position: relative;\n padding: 16px 16px;\n color: rgba(0, 0, 0, 0.85);\n background: #fafafa;\n border-top: 1px solid #e8e8e8;\n border-radius: 0 0 4px 4px;\n}\n.ant-table-footer::before {\n position: absolute;\n top: -1px;\n left: 0;\n width: 100%;\n height: 1px;\n background: #fafafa;\n content: '';\n}\n.ant-table.ant-table-bordered .ant-table-footer {\n border: 1px solid #e8e8e8;\n}\n.ant-table-title {\n position: relative;\n top: 1px;\n padding: 16px 0;\n border-radius: 4px 4px 0 0;\n}\n.ant-table.ant-table-bordered .ant-table-title {\n padding-right: 16px;\n padding-left: 16px;\n border: 1px solid #e8e8e8;\n}\n.ant-table-title + .ant-table-content {\n position: relative;\n border-radius: 4px 4px 0 0;\n}\n.ant-table-bordered .ant-table-title + .ant-table-content,\n.ant-table-bordered .ant-table-title + .ant-table-content table,\n.ant-table-bordered .ant-table-title + .ant-table-content .ant-table-thead > tr:first-child > th {\n border-radius: 0;\n}\n.ant-table-without-column-header .ant-table-title + .ant-table-content,\n.ant-table-without-column-header table {\n border-radius: 0;\n}\n.ant-table-without-column-header.ant-table-bordered.ant-table-empty .ant-table-placeholder {\n border-top: 1px solid #e8e8e8;\n border-radius: 4px;\n}\n.ant-table-tbody > tr.ant-table-row-selected td {\n color: inherit;\n background: #fafafa;\n}\n.ant-table-thead > tr > th.ant-table-column-sort {\n background: #f5f5f5;\n}\n.ant-table-tbody > tr > td.ant-table-column-sort {\n background: rgba(0, 0, 0, 0.01);\n}\n.ant-table-thead > tr > th,\n.ant-table-tbody > tr > td {\n padding: 16px 16px;\n overflow-wrap: break-word;\n}\n.ant-table-expand-icon-th,\n.ant-table-row-expand-icon-cell {\n width: 50px;\n min-width: 50px;\n text-align: center;\n}\n.ant-table-header {\n overflow: hidden;\n background: #fafafa;\n}\n.ant-table-header table {\n border-radius: 4px 4px 0 0;\n}\n.ant-table-loading {\n position: relative;\n}\n.ant-table-loading .ant-table-body {\n background: #fff;\n opacity: 0.5;\n}\n.ant-table-loading .ant-table-spin-holder {\n position: absolute;\n top: 50%;\n left: 50%;\n height: 20px;\n margin-left: -30px;\n line-height: 20px;\n}\n.ant-table-loading .ant-table-with-pagination {\n margin-top: -20px;\n}\n.ant-table-loading .ant-table-without-pagination {\n margin-top: 10px;\n}\n.ant-table-bordered .ant-table-header > table,\n.ant-table-bordered .ant-table-body > table,\n.ant-table-bordered .ant-table-fixed-left table,\n.ant-table-bordered .ant-table-fixed-right table {\n border: 1px solid #e8e8e8;\n border-right: 0;\n border-bottom: 0;\n}\n.ant-table-bordered.ant-table-empty .ant-table-placeholder {\n border-right: 1px solid #e8e8e8;\n border-left: 1px solid #e8e8e8;\n}\n.ant-table-bordered.ant-table-fixed-header .ant-table-header > table {\n border-bottom: 0;\n}\n.ant-table-bordered.ant-table-fixed-header .ant-table-body > table {\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n.ant-table-bordered.ant-table-fixed-header .ant-table-header + .ant-table-body > table,\n.ant-table-bordered.ant-table-fixed-header .ant-table-body-inner > table {\n border-top: 0;\n}\n.ant-table-bordered .ant-table-thead > tr:not(:last-child) > th {\n border-bottom: 1px solid #e8e8e8;\n}\n.ant-table-bordered .ant-table-thead > tr > th,\n.ant-table-bordered .ant-table-tbody > tr > td {\n border-right: 1px solid #e8e8e8;\n}\n.ant-table-placeholder {\n position: relative;\n z-index: 1;\n margin-top: -1px;\n padding: 16px 16px;\n color: rgba(0, 0, 0, 0.25);\n font-size: 14px;\n text-align: center;\n background: #fff;\n border-top: 1px solid #e8e8e8;\n border-bottom: 1px solid #e8e8e8;\n border-radius: 0 0 4px 4px;\n}\n.ant-table-pagination.ant-pagination {\n float: right;\n margin: 16px 0;\n}\n.ant-table-filter-dropdown {\n position: relative;\n min-width: 96px;\n margin-left: -8px;\n background: #fff;\n border-radius: 4px;\n -webkit-box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n}\n.ant-table-filter-dropdown .ant-dropdown-menu {\n border: 0;\n border-radius: 4px 4px 0 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.ant-table-filter-dropdown .ant-dropdown-menu-without-submenu {\n max-height: 400px;\n overflow-x: hidden;\n}\n.ant-table-filter-dropdown .ant-dropdown-menu-item > label + span {\n padding-right: 0;\n}\n.ant-table-filter-dropdown .ant-dropdown-menu-sub {\n border-radius: 4px;\n -webkit-box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n}\n.ant-table-filter-dropdown .ant-dropdown-menu .ant-dropdown-submenu-contain-selected .ant-dropdown-menu-submenu-title::after {\n color: #1890ff;\n font-weight: bold;\n text-shadow: 0 0 2px #bae7ff;\n}\n.ant-table-filter-dropdown .ant-dropdown-menu-item {\n overflow: hidden;\n}\n.ant-table-filter-dropdown > .ant-dropdown-menu > .ant-dropdown-menu-item:last-child,\n.ant-table-filter-dropdown > .ant-dropdown-menu > .ant-dropdown-menu-submenu:last-child .ant-dropdown-menu-submenu-title {\n border-radius: 0;\n}\n.ant-table-filter-dropdown-btns {\n padding: 7px 8px;\n overflow: hidden;\n border-top: 1px solid #e8e8e8;\n}\n.ant-table-filter-dropdown-link {\n color: #1890ff;\n}\n.ant-table-filter-dropdown-link:hover {\n color: #40a9ff;\n}\n.ant-table-filter-dropdown-link:active {\n color: #096dd9;\n}\n.ant-table-filter-dropdown-link.confirm {\n float: left;\n}\n.ant-table-filter-dropdown-link.clear {\n float: right;\n}\n.ant-table-selection {\n white-space: nowrap;\n}\n.ant-table-selection-select-all-custom {\n margin-right: 4px !important;\n}\n.ant-table-selection .anticon-down {\n color: #bfbfbf;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-table-selection-menu {\n min-width: 96px;\n margin-top: 5px;\n margin-left: -30px;\n background: #fff;\n border-radius: 4px;\n -webkit-box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15);\n}\n.ant-table-selection-menu .ant-action-down {\n color: #bfbfbf;\n}\n.ant-table-selection-down {\n display: inline-block;\n padding: 0;\n line-height: 1;\n cursor: pointer;\n}\n.ant-table-selection-down:hover .anticon-down {\n color: rgba(0, 0, 0, 0.6);\n}\n.ant-table-row-expand-icon {\n color: #1890ff;\n text-decoration: none;\n cursor: pointer;\n -webkit-transition: color 0.3s;\n -o-transition: color 0.3s;\n transition: color 0.3s;\n display: inline-block;\n width: 17px;\n height: 17px;\n color: inherit;\n line-height: 13px;\n text-align: center;\n background: #fff;\n border: 1px solid #e8e8e8;\n border-radius: 2px;\n outline: none;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.ant-table-row-expand-icon:focus,\n.ant-table-row-expand-icon:hover {\n color: #40a9ff;\n}\n.ant-table-row-expand-icon:active {\n color: #096dd9;\n}\n.ant-table-row-expand-icon:focus,\n.ant-table-row-expand-icon:hover,\n.ant-table-row-expand-icon:active {\n border-color: currentColor;\n}\n.ant-table-row-expanded::after {\n content: '-';\n}\n.ant-table-row-collapsed::after {\n content: '+';\n}\n.ant-table-row-spaced {\n visibility: hidden;\n}\n.ant-table-row-spaced::after {\n content: '.';\n}\n.ant-table-row-cell-ellipsis,\n.ant-table-row-cell-ellipsis .ant-table-column-title {\n overflow: hidden;\n white-space: nowrap;\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n}\n.ant-table-row-cell-ellipsis .ant-table-column-title {\n display: block;\n}\n.ant-table-row-cell-break-word {\n word-wrap: break-word;\n word-break: break-word;\n}\ntr.ant-table-expanded-row,\ntr.ant-table-expanded-row:hover {\n background: #fbfbfb;\n}\ntr.ant-table-expanded-row td > .ant-table-wrapper {\n margin: -16px -16px -17px;\n}\n.ant-table .ant-table-row-indent + .ant-table-row-expand-icon {\n margin-right: 8px;\n}\n.ant-table-scroll {\n overflow: auto;\n overflow-x: hidden;\n}\n.ant-table-scroll table {\n min-width: 100%;\n}\n.ant-table-scroll table .ant-table-fixed-columns-in-body:not([colspan]) {\n visibility: hidden;\n}\n.ant-table-body-inner {\n height: 100%;\n}\n.ant-table-fixed-header > .ant-table-content > .ant-table-scroll > .ant-table-body {\n position: relative;\n background: #fff;\n}\n.ant-table-fixed-header .ant-table-body-inner {\n overflow: scroll;\n}\n.ant-table-fixed-header .ant-table-scroll .ant-table-header {\n margin-bottom: -20px;\n padding-bottom: 20px;\n overflow: scroll;\n opacity: 0.9999;\n}\n.ant-table-fixed-header .ant-table-scroll .ant-table-header::-webkit-scrollbar {\n border: 1px solid #e8e8e8;\n border-width: 0 0 1px 0;\n}\n.ant-table-hide-scrollbar {\n scrollbar-color: transparent transparent;\n min-width: unset;\n}\n.ant-table-hide-scrollbar::-webkit-scrollbar {\n min-width: inherit;\n background-color: transparent;\n}\n.ant-table-bordered.ant-table-fixed-header .ant-table-scroll .ant-table-header::-webkit-scrollbar {\n border: 1px solid #e8e8e8;\n border-width: 1px 1px 1px 0;\n}\n.ant-table-bordered.ant-table-fixed-header .ant-table-scroll .ant-table-header.ant-table-hide-scrollbar .ant-table-thead > tr:only-child > th:last-child {\n border-right-color: transparent;\n}\n.ant-table-fixed-left,\n.ant-table-fixed-right {\n position: absolute;\n top: 0;\n z-index: auto;\n overflow: hidden;\n border-radius: 0;\n -webkit-transition: -webkit-box-shadow 0.3s ease;\n transition: -webkit-box-shadow 0.3s ease;\n -o-transition: box-shadow 0.3s ease;\n transition: box-shadow 0.3s ease;\n transition: box-shadow 0.3s ease, -webkit-box-shadow 0.3s ease;\n}\n.ant-table-fixed-left table,\n.ant-table-fixed-right table {\n width: auto;\n background: #fff;\n}\n.ant-table-fixed-header .ant-table-fixed-left .ant-table-body-outer .ant-table-fixed,\n.ant-table-fixed-header .ant-table-fixed-right .ant-table-body-outer .ant-table-fixed {\n border-radius: 0;\n}\n.ant-table-fixed-left {\n left: 0;\n -webkit-box-shadow: 6px 0 6px -4px rgba(0, 0, 0, 0.15);\n box-shadow: 6px 0 6px -4px rgba(0, 0, 0, 0.15);\n}\n.ant-table-fixed-left .ant-table-header {\n overflow-y: hidden;\n}\n.ant-table-fixed-left .ant-table-body-inner {\n margin-right: -20px;\n padding-right: 20px;\n}\n.ant-table-fixed-header .ant-table-fixed-left .ant-table-body-inner {\n padding-right: 0;\n}\n.ant-table-fixed-left,\n.ant-table-fixed-left table {\n border-radius: 4px 0 0 0;\n}\n.ant-table-fixed-left .ant-table-thead > tr > th:last-child {\n border-top-right-radius: 0;\n}\n.ant-table-fixed-right {\n right: 0;\n -webkit-box-shadow: -6px 0 6px -4px rgba(0, 0, 0, 0.15);\n box-shadow: -6px 0 6px -4px rgba(0, 0, 0, 0.15);\n}\n.ant-table-fixed-right,\n.ant-table-fixed-right table {\n border-radius: 0 4px 0 0;\n}\n.ant-table-fixed-right .ant-table-expanded-row {\n color: transparent;\n pointer-events: none;\n}\n.ant-table-fixed-right .ant-table-thead > tr > th:first-child {\n border-top-left-radius: 0;\n}\n.ant-table.ant-table-scroll-position-left .ant-table-fixed-left {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.ant-table.ant-table-scroll-position-right .ant-table-fixed-right {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.ant-table colgroup > col.ant-table-selection-col {\n width: 60px;\n}\n.ant-table-thead > tr > th.ant-table-selection-column-custom .ant-table-selection {\n margin-right: -15px;\n}\n.ant-table-thead > tr > th.ant-table-selection-column,\n.ant-table-tbody > tr > td.ant-table-selection-column {\n text-align: center;\n}\n.ant-table-thead > tr > th.ant-table-selection-column .ant-radio-wrapper,\n.ant-table-tbody > tr > td.ant-table-selection-column .ant-radio-wrapper {\n margin-right: 0;\n}\n.ant-table-row[class*='ant-table-row-level-0'] .ant-table-selection-column > span {\n display: inline-block;\n}\n.ant-table-filter-dropdown .ant-checkbox-wrapper + span,\n.ant-table-filter-dropdown-submenu .ant-checkbox-wrapper + span {\n padding-left: 8px;\n}\n/**\n* Another fix of Firefox:\n*/\n@supports (-moz-appearance: meterbar) {\n .ant-table-thead > tr > th.ant-table-column-has-actions {\n background-clip: padding-box;\n }\n}\n.ant-table-middle > .ant-table-title,\n.ant-table-middle > .ant-table-content > .ant-table-footer {\n padding: 12px 8px;\n}\n.ant-table-middle > .ant-table-content > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-body > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th,\n.ant-table-middle > .ant-table-content > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-body > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-tbody > tr > td,\n.ant-table-middle > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-tbody > tr > td {\n padding: 12px 8px;\n}\n.ant-table-middle tr.ant-table-expanded-row td > .ant-table-wrapper {\n margin: -12px -8px -13px;\n}\n.ant-table-small {\n border: 1px solid #e8e8e8;\n border-radius: 4px;\n}\n.ant-table-small > .ant-table-title,\n.ant-table-small > .ant-table-content > .ant-table-footer {\n padding: 8px 8px;\n}\n.ant-table-small > .ant-table-title {\n top: 0;\n border-bottom: 1px solid #e8e8e8;\n}\n.ant-table-small > .ant-table-content > .ant-table-footer {\n background-color: transparent;\n border-top: 1px solid #e8e8e8;\n}\n.ant-table-small > .ant-table-content > .ant-table-footer::before {\n background-color: transparent;\n}\n.ant-table-small > .ant-table-content > .ant-table-body {\n margin: 0 8px;\n}\n.ant-table-small > .ant-table-content > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-body > table,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table {\n border: 0;\n}\n.ant-table-small > .ant-table-content > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-body > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-body > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-tbody > tr > td,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-tbody > tr > td {\n padding: 8px 8px;\n}\n.ant-table-small > .ant-table-content > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-body > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th {\n background-color: transparent;\n}\n.ant-table-small > .ant-table-content > .ant-table-header > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-body > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr {\n border-bottom: 1px solid #e8e8e8;\n}\n.ant-table-small > .ant-table-content > .ant-table-header > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-body > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th.ant-table-column-sort,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table > .ant-table-thead > tr > th.ant-table-column-sort {\n background-color: rgba(0, 0, 0, 0.01);\n}\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-scroll > .ant-table-body > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-header > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-left > .ant-table-body-outer > .ant-table-body-inner > table,\n.ant-table-small > .ant-table-content > .ant-table-fixed-right > .ant-table-body-outer > .ant-table-body-inner > table {\n padding: 0;\n}\n.ant-table-small > .ant-table-content .ant-table-header {\n background-color: transparent;\n border-radius: 4px 4px 0 0;\n}\n.ant-table-small > .ant-table-content .ant-table-placeholder,\n.ant-table-small > .ant-table-content .ant-table-row:last-child td {\n border-bottom: 0;\n}\n.ant-table-small.ant-table-bordered {\n border-right: 0;\n}\n.ant-table-small.ant-table-bordered .ant-table-title {\n border: 0;\n border-right: 1px solid #e8e8e8;\n border-bottom: 1px solid #e8e8e8;\n}\n.ant-table-small.ant-table-bordered .ant-table-content {\n border-right: 1px solid #e8e8e8;\n}\n.ant-table-small.ant-table-bordered .ant-table-footer {\n border: 0;\n border-top: 1px solid #e8e8e8;\n}\n.ant-table-small.ant-table-bordered .ant-table-footer::before {\n display: none;\n}\n.ant-table-small.ant-table-bordered .ant-table-placeholder {\n border-right: 0;\n border-bottom: 0;\n border-left: 0;\n}\n.ant-table-small.ant-table-bordered .ant-table-thead > tr > th.ant-table-row-cell-last,\n.ant-table-small.ant-table-bordered .ant-table-tbody > tr > td:last-child {\n border-right: none;\n}\n.ant-table-small.ant-table-bordered .ant-table-fixed-left .ant-table-thead > tr > th:last-child,\n.ant-table-small.ant-table-bordered .ant-table-fixed-left .ant-table-tbody > tr > td:last-child {\n border-right: 1px solid #e8e8e8;\n}\n.ant-table-small.ant-table-bordered .ant-table-fixed-right {\n border-right: 1px solid #e8e8e8;\n border-left: 1px solid #e8e8e8;\n}\n.ant-table-small tr.ant-table-expanded-row td > .ant-table-wrapper {\n margin: -8px -8px -9px;\n}\n.ant-table-small.ant-table-fixed-header > .ant-table-content > .ant-table-scroll > .ant-table-body {\n border-radius: 0 0 4px 4px;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1217: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _omit = _interopRequireDefault(__webpack_require__(43)); var _rcTable = _interopRequireWildcard(__webpack_require__(1218)); var PropTypes = _interopRequireWildcard(__webpack_require__(1)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _shallowequal = _interopRequireDefault(__webpack_require__(56)); var _reactLifecyclesCompat = __webpack_require__(7); var _filterDropdown = _interopRequireDefault(__webpack_require__(1256)); var _createStore = _interopRequireDefault(__webpack_require__(1260)); var _SelectionBox = _interopRequireDefault(__webpack_require__(1261)); var _SelectionCheckboxAll = _interopRequireDefault(__webpack_require__(1262)); var _Column = _interopRequireDefault(__webpack_require__(1263)); var _ColumnGroup = _interopRequireDefault(__webpack_require__(1264)); var _createBodyRow = _interopRequireDefault(__webpack_require__(1265)); var _util = __webpack_require__(1053); var _scrollTo = _interopRequireDefault(__webpack_require__(1266)); var _pagination = _interopRequireDefault(__webpack_require__(849)); var _icon = _interopRequireDefault(__webpack_require__(25)); var _spin = _interopRequireDefault(__webpack_require__(72)); var _transButton = _interopRequireDefault(__webpack_require__(1269)); var _LocaleReceiver = _interopRequireDefault(__webpack_require__(70)); var _default2 = _interopRequireDefault(__webpack_require__(173)); var _configProvider = __webpack_require__(9); var _warning = _interopRequireDefault(__webpack_require__(40)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; /* eslint-disable prefer-spread */ function noop() {} function stopPropagation(e) { e.stopPropagation(); } function getRowSelection(props) { return props.rowSelection || {}; } function getColumnKey(column, index) { return column.key || column.dataIndex || index; } function isSameColumn(a, b) { if (a && b && a.key && a.key === b.key) { return true; } return a === b || (0, _shallowequal["default"])(a, b, function (value, other) { // https://github.com/ant-design/ant-design/issues/12737 if (typeof value === 'function' && typeof other === 'function') { return value === other || value.toString() === other.toString(); } // https://github.com/ant-design/ant-design/issues/19398 if (Array.isArray(value) && Array.isArray(other)) { return value === other || (0, _shallowequal["default"])(value, other); } }); } var defaultPagination = { onChange: noop, onShowSizeChange: noop }; /** * Avoid creating new object, so that parent component's shouldComponentUpdate * can works appropriately。 */ var emptyObject = {}; var createComponents = function createComponents() { var components = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var bodyRow = components && components.body && components.body.row; return _extends(_extends({}, components), { body: _extends(_extends({}, components.body), { row: (0, _createBodyRow["default"])(bodyRow) }) }); }; function isTheSameComponents() { var components1 = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var components2 = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; return components1 === components2 || ['table', 'header', 'body'].every(function (key) { return (0, _shallowequal["default"])(components1[key], components2[key]); }); } function getFilteredValueColumns(state, columns) { return (0, _util.flatFilter)(columns || (state || {}).columns || [], function (column) { return typeof column.filteredValue !== 'undefined'; }); } function getFiltersFromColumns() { var state = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var columns = arguments.length > 1 ? arguments[1] : undefined; var filters = {}; getFilteredValueColumns(state, columns).forEach(function (col) { var colKey = getColumnKey(col); filters[colKey] = col.filteredValue; }); return filters; } function isFiltersChanged(state, filters) { if (Object.keys(filters).length !== Object.keys(state.filters).length) { return true; } return Object.keys(filters).some(function (columnKey) { return filters[columnKey] !== state.filters[columnKey]; }); } var Table = /*#__PURE__*/ function (_React$Component) { _inherits(Table, _React$Component); function Table(props) { var _this; _classCallCheck(this, Table); _this = _possibleConstructorReturn(this, _getPrototypeOf(Table).call(this, props)); _this.setTableRef = function (table) { _this.rcTable = table; }; _this.getCheckboxPropsByItem = function (item, index) { var rowSelection = getRowSelection(_this.props); if (!rowSelection.getCheckboxProps) { return {}; } var key = _this.getRecordKey(item, index); // Cache checkboxProps if (!_this.props.checkboxPropsCache[key]) { _this.props.checkboxPropsCache[key] = rowSelection.getCheckboxProps(item) || {}; var checkboxProps = _this.props.checkboxPropsCache[key]; (0, _warning["default"])(!('checked' in checkboxProps) && !('defaultChecked' in checkboxProps), 'Table', 'Do not set `checked` or `defaultChecked` in `getCheckboxProps`. Please use `selectedRowKeys` instead.'); } return _this.props.checkboxPropsCache[key]; }; _this.getRecordKey = function (record, index) { var rowKey = _this.props.rowKey; var recordKey = typeof rowKey === 'function' ? rowKey(record, index) : record[rowKey]; (0, _warning["default"])(recordKey !== undefined, 'Table', 'Each record in dataSource of table should have a unique `key` prop, ' + 'or set `rowKey` of Table to an unique primary key, ' + 'see https://u.ant.design/table-row-key'); return recordKey === undefined ? index : recordKey; }; _this.onRow = function (prefixCls, record, index) { var onRow = _this.props.onRow; var custom = onRow ? onRow(record, index) : {}; return _extends(_extends({}, custom), { prefixCls: prefixCls, store: _this.props.store, rowKey: _this.getRecordKey(record, index) }); }; _this.generatePopupContainerFunc = function (getPopupContainer) { var scroll = _this.props.scroll; var table = _this.rcTable; if (getPopupContainer) { return getPopupContainer; } // Use undefined to let rc component use default logic. return scroll && table ? function () { return table.tableNode; } : undefined; }; _this.scrollToFirstRow = function () { var scroll = _this.props.scroll; if (scroll && scroll.scrollToFirstRowOnChange !== false) { (0, _scrollTo["default"])(0, { getContainer: function getContainer() { return _this.rcTable.bodyTable; } }); } }; _this.handleFilter = function (column, nextFilters) { var props = _this.props; var pagination = _extends({}, _this.state.pagination); var filters = _extends(_extends({}, _this.state.filters), _defineProperty({}, getColumnKey(column), nextFilters)); // Remove filters not in current columns var currentColumnKeys = []; (0, _util.treeMap)(_this.state.columns, function (c) { if (!c.children) { currentColumnKeys.push(getColumnKey(c)); } }); Object.keys(filters).forEach(function (columnKey) { if (currentColumnKeys.indexOf(columnKey) < 0) { delete filters[columnKey]; } }); if (props.pagination) { // Reset current prop pagination.current = 1; pagination.onChange(pagination.current); } var newState = { pagination: pagination, filters: {} }; var filtersToSetState = _extends({}, filters); // Remove filters which is controlled getFilteredValueColumns(_this.state).forEach(function (col) { var columnKey = getColumnKey(col); if (columnKey) { delete filtersToSetState[columnKey]; } }); if (Object.keys(filtersToSetState).length > 0) { newState.filters = filtersToSetState; } // Controlled current prop will not respond user interaction if (_typeof(props.pagination) === 'object' && 'current' in props.pagination) { newState.pagination = _extends(_extends({}, pagination), { current: _this.state.pagination.current }); } _this.setState(newState, function () { _this.scrollToFirstRow(); _this.props.store.setState({ selectionDirty: false }); var onChange = _this.props.onChange; if (onChange) { onChange.apply(null, _this.prepareParamsArguments(_extends(_extends({}, _this.state), { selectionDirty: false, filters: filters, pagination: pagination }))); } }); }; _this.handleSelect = function (record, rowIndex, e) { var checked = e.target.checked; var nativeEvent = e.nativeEvent; var defaultSelection = _this.props.store.getState().selectionDirty ? [] : _this.getDefaultSelection(); var selectedRowKeys = _this.props.store.getState().selectedRowKeys.concat(defaultSelection); var key = _this.getRecordKey(record, rowIndex); var pivot = _this.state.pivot; var rows = _this.getFlatCurrentPageData(); var realIndex = rowIndex; if (_this.props.expandedRowRender) { realIndex = rows.findIndex(function (row) { return _this.getRecordKey(row, rowIndex) === key; }); } if (nativeEvent.shiftKey && pivot !== undefined && realIndex !== pivot) { var changeRowKeys = []; var direction = Math.sign(pivot - realIndex); var dist = Math.abs(pivot - realIndex); var step = 0; var _loop = function _loop() { var i = realIndex + step * direction; step += 1; var row = rows[i]; var rowKey = _this.getRecordKey(row, i); var checkboxProps = _this.getCheckboxPropsByItem(row, i); if (!checkboxProps.disabled) { if (selectedRowKeys.includes(rowKey)) { if (!checked) { selectedRowKeys = selectedRowKeys.filter(function (j) { return rowKey !== j; }); changeRowKeys.push(rowKey); } } else if (checked) { selectedRowKeys.push(rowKey); changeRowKeys.push(rowKey); } } }; while (step <= dist) { _loop(); } _this.setState({ pivot: realIndex }); _this.props.store.setState({ selectionDirty: true }); _this.setSelectedRowKeys(selectedRowKeys, { selectWay: 'onSelectMultiple', record: record, checked: checked, changeRowKeys: changeRowKeys, nativeEvent: nativeEvent }); } else { if (checked) { selectedRowKeys.push(_this.getRecordKey(record, realIndex)); } else { selectedRowKeys = selectedRowKeys.filter(function (i) { return key !== i; }); } _this.setState({ pivot: realIndex }); _this.props.store.setState({ selectionDirty: true }); _this.setSelectedRowKeys(selectedRowKeys, { selectWay: 'onSelect', record: record, checked: checked, changeRowKeys: undefined, nativeEvent: nativeEvent }); } }; _this.handleRadioSelect = function (record, rowIndex, e) { var checked = e.target.checked; var nativeEvent = e.nativeEvent; var key = _this.getRecordKey(record, rowIndex); var selectedRowKeys = [key]; _this.props.store.setState({ selectionDirty: true }); _this.setSelectedRowKeys(selectedRowKeys, { selectWay: 'onSelect', record: record, checked: checked, changeRowKeys: undefined, nativeEvent: nativeEvent }); }; _this.handleSelectRow = function (selectionKey, index, onSelectFunc) { var data = _this.getFlatCurrentPageData(); var defaultSelection = _this.props.store.getState().selectionDirty ? [] : _this.getDefaultSelection(); var selectedRowKeys = _this.props.store.getState().selectedRowKeys.concat(defaultSelection); var changeableRowKeys = data.filter(function (item, i) { return !_this.getCheckboxPropsByItem(item, i).disabled; }).map(function (item, i) { return _this.getRecordKey(item, i); }); var changeRowKeys = []; var selectWay = 'onSelectAll'; var checked; // handle default selection switch (selectionKey) { case 'all': changeableRowKeys.forEach(function (key) { if (selectedRowKeys.indexOf(key) < 0) { selectedRowKeys.push(key); changeRowKeys.push(key); } }); selectWay = 'onSelectAll'; checked = true; break; case 'removeAll': changeableRowKeys.forEach(function (key) { if (selectedRowKeys.indexOf(key) >= 0) { selectedRowKeys.splice(selectedRowKeys.indexOf(key), 1); changeRowKeys.push(key); } }); selectWay = 'onSelectAll'; checked = false; break; case 'invert': changeableRowKeys.forEach(function (key) { if (selectedRowKeys.indexOf(key) < 0) { selectedRowKeys.push(key); } else { selectedRowKeys.splice(selectedRowKeys.indexOf(key), 1); } changeRowKeys.push(key); selectWay = 'onSelectInvert'; }); break; default: break; } _this.props.store.setState({ selectionDirty: true }); // when select custom selection, callback selections[n].onSelect var rowSelection = _this.props.rowSelection; var customSelectionStartIndex = 2; if (rowSelection && rowSelection.hideDefaultSelections) { customSelectionStartIndex = 0; } if (index >= customSelectionStartIndex && typeof onSelectFunc === 'function') { return onSelectFunc(changeableRowKeys); } _this.setSelectedRowKeys(selectedRowKeys, { selectWay: selectWay, checked: checked, changeRowKeys: changeRowKeys }); }; _this.handlePageChange = function (current) { var props = _this.props; var pagination = _extends({}, _this.state.pagination); if (current) { pagination.current = current; } else { pagination.current = pagination.current || 1; } for (var _len = arguments.length, otherArguments = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { otherArguments[_key - 1] = arguments[_key]; } pagination.onChange.apply(pagination, [pagination.current].concat(otherArguments)); var newState = { pagination: pagination }; // Controlled current prop will not respond user interaction if (props.pagination && _typeof(props.pagination) === 'object' && 'current' in props.pagination) { newState.pagination = _extends(_extends({}, pagination), { current: _this.state.pagination.current }); } _this.setState(newState, _this.scrollToFirstRow); _this.props.store.setState({ selectionDirty: false }); var onChange = _this.props.onChange; if (onChange) { onChange.apply(null, _this.prepareParamsArguments(_extends(_extends({}, _this.state), { selectionDirty: false, pagination: pagination }))); } }; _this.handleShowSizeChange = function (current, pageSize) { var pagination = _this.state.pagination; pagination.onShowSizeChange(current, pageSize); var nextPagination = _extends(_extends({}, pagination), { pageSize: pageSize, current: current }); _this.setState({ pagination: nextPagination }, _this.scrollToFirstRow); var onChange = _this.props.onChange; if (onChange) { onChange.apply(null, _this.prepareParamsArguments(_extends(_extends({}, _this.state), { pagination: nextPagination }))); } }; _this.renderExpandIcon = function (prefixCls) { return function (_ref) { var expandable = _ref.expandable, expanded = _ref.expanded, needIndentSpaced = _ref.needIndentSpaced, record = _ref.record, onExpand = _ref.onExpand; if (expandable) { return React.createElement(_LocaleReceiver["default"], { componentName: "Table", defaultLocale: _default2["default"].Table }, function (locale) { var _classNames; return React.createElement(_transButton["default"], { className: (0, _classnames["default"])("".concat(prefixCls, "-row-expand-icon"), (_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-row-collapsed"), !expanded), _defineProperty(_classNames, "".concat(prefixCls, "-row-expanded"), expanded), _classNames)), onClick: function onClick(event) { onExpand(record, event); }, "aria-label": expanded ? locale.collapse : locale.expand, noStyle: true }); }); } if (needIndentSpaced) { return React.createElement("span", { className: "".concat(prefixCls, "-row-expand-icon ").concat(prefixCls, "-row-spaced") }); } return null; }; }; _this.renderSelectionBox = function (type) { return function (_, record, index) { var rowKey = _this.getRecordKey(record, index); var props = _this.getCheckboxPropsByItem(record, index); var handleChange = function handleChange(e) { return type === 'radio' ? _this.handleRadioSelect(record, index, e) : _this.handleSelect(record, index, e); }; return React.createElement("span", { onClick: stopPropagation }, React.createElement(_SelectionBox["default"], _extends({ type: type, store: _this.props.store, rowIndex: rowKey, onChange: handleChange, defaultSelection: _this.getDefaultSelection() }, props))); }; }; _this.renderTable = function (_ref2) { var _classNames2; var prefixCls = _ref2.prefixCls, renderEmpty = _ref2.renderEmpty, dropdownPrefixCls = _ref2.dropdownPrefixCls, contextLocale = _ref2.contextLocale, contextGetPopupContainer = _ref2.getPopupContainer; var _a = _this.props, showHeader = _a.showHeader, locale = _a.locale, getPopupContainer = _a.getPopupContainer, restTableProps = __rest(_a, ["showHeader", "locale", "getPopupContainer"]); // do not pass prop.style to rc-table, since already apply it to container div var restProps = (0, _omit["default"])(restTableProps, ['style']); var data = _this.getCurrentPageData(); var expandIconAsCell = _this.props.expandedRowRender && _this.props.expandIconAsCell !== false; // use props.getPopupContainer first var realGetPopupContainer = getPopupContainer || contextGetPopupContainer; // Merge too locales var mergedLocale = _extends(_extends({}, contextLocale), locale); if (!locale || !locale.emptyText) { mergedLocale.emptyText = renderEmpty('Table'); } var classString = (0, _classnames["default"])("".concat(prefixCls, "-").concat(_this.props.size), (_classNames2 = {}, _defineProperty(_classNames2, "".concat(prefixCls, "-bordered"), _this.props.bordered), _defineProperty(_classNames2, "".concat(prefixCls, "-empty"), !data.length), _defineProperty(_classNames2, "".concat(prefixCls, "-without-column-header"), !showHeader), _classNames2)); var columnsWithRowSelection = _this.renderRowSelection({ prefixCls: prefixCls, locale: mergedLocale, getPopupContainer: realGetPopupContainer }); var columns = _this.renderColumnsDropdown({ columns: columnsWithRowSelection, prefixCls: prefixCls, dropdownPrefixCls: dropdownPrefixCls, locale: mergedLocale, getPopupContainer: realGetPopupContainer }).map(function (column, i) { var newColumn = _extends({}, column); newColumn.key = getColumnKey(newColumn, i); return newColumn; }); var expandIconColumnIndex = columns[0] && columns[0].key === 'selection-column' ? 1 : 0; if ('expandIconColumnIndex' in restProps) { expandIconColumnIndex = restProps.expandIconColumnIndex; } return React.createElement(_rcTable["default"], _extends({ ref: _this.setTableRef, key: "table", expandIcon: _this.renderExpandIcon(prefixCls) }, restProps, { onRow: function onRow(record, index) { return _this.onRow(prefixCls, record, index); }, components: _this.state.components, prefixCls: prefixCls, data: data, columns: columns, showHeader: showHeader, className: classString, expandIconColumnIndex: expandIconColumnIndex, expandIconAsCell: expandIconAsCell, emptyText: mergedLocale.emptyText })); }; _this.renderComponent = function (_ref3) { var getPrefixCls = _ref3.getPrefixCls, renderEmpty = _ref3.renderEmpty, getPopupContainer = _ref3.getPopupContainer; var _this$props = _this.props, customizePrefixCls = _this$props.prefixCls, customizeDropdownPrefixCls = _this$props.dropdownPrefixCls, style = _this$props.style, className = _this$props.className; var data = _this.getCurrentPageData(); var loading = _this.props.loading; if (typeof loading === 'boolean') { loading = { spinning: loading }; } var prefixCls = getPrefixCls('table', customizePrefixCls); var dropdownPrefixCls = getPrefixCls('dropdown', customizeDropdownPrefixCls); var table = React.createElement(_LocaleReceiver["default"], { componentName: "Table", defaultLocale: _default2["default"].Table }, function (locale) { return _this.renderTable({ prefixCls: prefixCls, renderEmpty: renderEmpty, dropdownPrefixCls: dropdownPrefixCls, contextLocale: locale, getPopupContainer: getPopupContainer }); }); // if there is no pagination or no data, // the height of spin should decrease by half of pagination var paginationPatchClass = _this.hasPagination() && data && data.length !== 0 ? "".concat(prefixCls, "-with-pagination") : "".concat(prefixCls, "-without-pagination"); return React.createElement("div", { className: (0, _classnames["default"])("".concat(prefixCls, "-wrapper"), className), style: style }, React.createElement(_spin["default"], _extends({}, loading, { className: loading.spinning ? "".concat(paginationPatchClass, " ").concat(prefixCls, "-spin-holder") : '' }), _this.renderPagination(prefixCls, 'top'), table, _this.renderPagination(prefixCls, 'bottom'))); }; var expandedRowRender = props.expandedRowRender, columnsProp = props.columns; (0, _warning["default"])(!('columnsPageRange' in props || 'columnsPageSize' in props), 'Table', '`columnsPageRange` and `columnsPageSize` are removed, please use ' + 'fixed columns instead, see: https://u.ant.design/fixed-columns.'); if (expandedRowRender && (columnsProp || []).some(function (_ref4) { var fixed = _ref4.fixed; return !!fixed; })) { (0, _warning["default"])(false, 'Table', '`expandedRowRender` and `Column.fixed` are not compatible. Please use one of them at one time.'); } var columns = columnsProp || (0, _util.normalizeColumns)(props.children); _this.state = _extends(_extends({}, _this.getDefaultSortOrder(columns || [])), { // 减少状态 filters: _this.getDefaultFilters(columns), pagination: _this.getDefaultPagination(props), pivot: undefined, prevProps: props, components: createComponents(props.components), columns: columns }); return _this; } _createClass(Table, [{ key: "componentDidUpdate", value: function componentDidUpdate() { var _this$state = this.state, columns = _this$state.columns, sortColumn = _this$state.sortColumn, sortOrder = _this$state.sortOrder; if (this.getSortOrderColumns(columns).length > 0) { var sortState = this.getSortStateFromColumns(columns); if (!isSameColumn(sortState.sortColumn, sortColumn) || sortState.sortOrder !== sortOrder) { this.setState(sortState); } } } }, { key: "getDefaultSelection", value: function getDefaultSelection() { var _this2 = this; var rowSelection = getRowSelection(this.props); if (!rowSelection.getCheckboxProps) { return []; } return this.getFlatData().filter(function (item, rowIndex) { return _this2.getCheckboxPropsByItem(item, rowIndex).defaultChecked; }).map(function (record, rowIndex) { return _this2.getRecordKey(record, rowIndex); }); } }, { key: "getDefaultPagination", value: function getDefaultPagination(props) { var pagination = _typeof(props.pagination) === 'object' ? props.pagination : {}; var current; if ('current' in pagination) { current = pagination.current; } else if ('defaultCurrent' in pagination) { current = pagination.defaultCurrent; } var pageSize; if ('pageSize' in pagination) { pageSize = pagination.pageSize; } else if ('defaultPageSize' in pagination) { pageSize = pagination.defaultPageSize; } return this.hasPagination(props) ? _extends(_extends(_extends({}, defaultPagination), pagination), { current: current || 1, pageSize: pageSize || 10 }) : {}; } }, { key: "getSortOrderColumns", value: function getSortOrderColumns(columns) { return (0, _util.flatFilter)(columns || (this.state || {}).columns || [], function (column) { return 'sortOrder' in column; }); } }, { key: "getDefaultFilters", value: function getDefaultFilters(columns) { var definedFilters = getFiltersFromColumns(this.state, columns); var defaultFilteredValueColumns = (0, _util.flatFilter)(columns || [], function (column) { return typeof column.defaultFilteredValue !== 'undefined'; }); var defaultFilters = defaultFilteredValueColumns.reduce(function (soFar, col) { var colKey = getColumnKey(col); soFar[colKey] = col.defaultFilteredValue; return soFar; }, {}); return _extends(_extends({}, defaultFilters), definedFilters); } }, { key: "getDefaultSortOrder", value: function getDefaultSortOrder(columns) { var definedSortState = this.getSortStateFromColumns(columns); var defaultSortedColumn = (0, _util.flatFilter)(columns || [], function (column) { return column.defaultSortOrder != null; })[0]; if (defaultSortedColumn && !definedSortState.sortColumn) { return { sortColumn: defaultSortedColumn, sortOrder: defaultSortedColumn.defaultSortOrder }; } return definedSortState; } }, { key: "getSortStateFromColumns", value: function getSortStateFromColumns(columns) { // return first column which sortOrder is not falsy var sortedColumn = this.getSortOrderColumns(columns).filter(function (col) { return col.sortOrder; })[0]; if (sortedColumn) { return { sortColumn: sortedColumn, sortOrder: sortedColumn.sortOrder }; } return { sortColumn: null, sortOrder: null }; } }, { key: "getMaxCurrent", value: function getMaxCurrent(total) { var _this$state$paginatio = this.state.pagination, current = _this$state$paginatio.current, pageSize = _this$state$paginatio.pageSize; if ((current - 1) * pageSize >= total) { return Math.floor((total - 1) / pageSize) + 1; } return current; } }, { key: "getSorterFn", value: function getSorterFn(state) { var _ref5 = state || this.state, sortOrder = _ref5.sortOrder, sortColumn = _ref5.sortColumn; if (!sortOrder || !sortColumn || typeof sortColumn.sorter !== 'function') { return; } return function (a, b) { var result = sortColumn.sorter(a, b, sortOrder); if (result !== 0) { return sortOrder === 'descend' ? -result : result; } return 0; }; } }, { key: "getCurrentPageData", value: function getCurrentPageData() { var data = this.getLocalData(); var current; var pageSize; var state = this.state; // 如果没有分页的话,默认全部展示 if (!this.hasPagination()) { pageSize = Number.MAX_VALUE; current = 1; } else { pageSize = state.pagination.pageSize; current = this.getMaxCurrent(state.pagination.total || data.length); } // 分页 // --- // 当数据量少于等于每页数量时,直接设置数据 // 否则进行读取分页数据 if (data.length > pageSize || pageSize === Number.MAX_VALUE) { data = data.slice((current - 1) * pageSize, current * pageSize); } return data; } }, { key: "getFlatData", value: function getFlatData() { var childrenColumnName = this.props.childrenColumnName; return (0, _util.flatArray)(this.getLocalData(null, false), childrenColumnName); } }, { key: "getFlatCurrentPageData", value: function getFlatCurrentPageData() { var childrenColumnName = this.props.childrenColumnName; return (0, _util.flatArray)(this.getCurrentPageData(), childrenColumnName); } }, { key: "getLocalData", value: function getLocalData(state) { var _this3 = this; var filter = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : true; var currentState = state || this.state; var dataSource = this.props.dataSource; var data = dataSource || []; // 优化本地排序 data = data.slice(0); var sorterFn = this.getSorterFn(currentState); if (sorterFn) { data = this.recursiveSort(data, sorterFn); } // 筛选 if (filter && currentState.filters) { Object.keys(currentState.filters).forEach(function (columnKey) { var col = _this3.findColumn(columnKey); if (!col) { return; } var values = currentState.filters[columnKey] || []; if (values.length === 0) { return; } var onFilter = col.onFilter; data = onFilter ? data.filter(function (record) { return values.some(function (v) { return onFilter(v, record); }); }) : data; }); } return data; } }, { key: "setSelectedRowKeys", value: function setSelectedRowKeys(selectedRowKeys, selectionInfo) { var _this4 = this; var selectWay = selectionInfo.selectWay, record = selectionInfo.record, checked = selectionInfo.checked, changeRowKeys = selectionInfo.changeRowKeys, nativeEvent = selectionInfo.nativeEvent; var rowSelection = getRowSelection(this.props); if (rowSelection && !('selectedRowKeys' in rowSelection)) { this.props.store.setState({ selectedRowKeys: selectedRowKeys }); } var data = this.getFlatData(); if (!rowSelection.onChange && !rowSelection[selectWay]) { return; } var selectedRows = data.filter(function (row, i) { return selectedRowKeys.indexOf(_this4.getRecordKey(row, i)) >= 0; }); if (rowSelection.onChange) { rowSelection.onChange(selectedRowKeys, selectedRows); } if (selectWay === 'onSelect' && rowSelection.onSelect) { rowSelection.onSelect(record, checked, selectedRows, nativeEvent); } else if (selectWay === 'onSelectMultiple' && rowSelection.onSelectMultiple) { var changeRows = data.filter(function (row, i) { return changeRowKeys.indexOf(_this4.getRecordKey(row, i)) >= 0; }); rowSelection.onSelectMultiple(checked, selectedRows, changeRows); } else if (selectWay === 'onSelectAll' && rowSelection.onSelectAll) { var _changeRows = data.filter(function (row, i) { return changeRowKeys.indexOf(_this4.getRecordKey(row, i)) >= 0; }); rowSelection.onSelectAll(checked, selectedRows, _changeRows); } else if (selectWay === 'onSelectInvert' && rowSelection.onSelectInvert) { rowSelection.onSelectInvert(selectedRowKeys); } } }, { key: "toggleSortOrder", value: function toggleSortOrder(column) { var pagination = _extends({}, this.state.pagination); var sortDirections = column.sortDirections || this.props.sortDirections; var _this$state2 = this.state, sortOrder = _this$state2.sortOrder, sortColumn = _this$state2.sortColumn; // 只同时允许一列进行排序,否则会导致排序顺序的逻辑问题 var newSortOrder; // 切换另一列时,丢弃 sortOrder 的状态 if (isSameColumn(sortColumn, column) && sortOrder !== undefined) { // 按照sortDirections的内容依次切换排序状态 var methodIndex = sortDirections.indexOf(sortOrder) + 1; newSortOrder = methodIndex === sortDirections.length ? undefined : sortDirections[methodIndex]; } else { newSortOrder = sortDirections[0]; } if (this.props.pagination) { // Reset current prop pagination.current = 1; pagination.onChange(pagination.current); } var newState = { pagination: pagination, sortOrder: newSortOrder, sortColumn: newSortOrder ? column : null }; // Controlled if (this.getSortOrderColumns().length === 0) { this.setState(newState, this.scrollToFirstRow); } var onChange = this.props.onChange; if (onChange) { onChange.apply(null, this.prepareParamsArguments(_extends(_extends({}, this.state), newState), column)); } } }, { key: "hasPagination", value: function hasPagination(props) { return (props || this.props).pagination !== false; } }, { key: "isSortColumn", value: function isSortColumn(column) { var sortColumn = this.state.sortColumn; if (!column || !sortColumn) { return false; } return getColumnKey(sortColumn) === getColumnKey(column); } // Get pagination, filters, sorter }, { key: "prepareParamsArguments", value: function prepareParamsArguments(state, column) { var pagination = _extends({}, state.pagination); // remove useless handle function in Table.onChange delete pagination.onChange; delete pagination.onShowSizeChange; var filters = state.filters; var sorter = {}; var currentColumn = column; if (state.sortColumn && state.sortOrder) { currentColumn = state.sortColumn; sorter.column = state.sortColumn; sorter.order = state.sortOrder; } if (currentColumn) { sorter.field = currentColumn.dataIndex; sorter.columnKey = getColumnKey(currentColumn); } var extra = { currentDataSource: this.getLocalData(state) }; return [pagination, filters, sorter, extra]; } }, { key: "findColumn", value: function findColumn(myKey) { var column; (0, _util.treeMap)(this.state.columns, function (c) { if (getColumnKey(c) === myKey) { column = c; } }); return column; } }, { key: "recursiveSort", value: function recursiveSort(data, sorterFn) { var _this5 = this; var _this$props$childrenC = this.props.childrenColumnName, childrenColumnName = _this$props$childrenC === void 0 ? 'children' : _this$props$childrenC; return data.sort(sorterFn).map(function (item) { return item[childrenColumnName] ? _extends(_extends({}, item), _defineProperty({}, childrenColumnName, _this5.recursiveSort(item[childrenColumnName], sorterFn))) : item; }); } }, { key: "renderPagination", value: function renderPagination(prefixCls, paginationPosition) { // 强制不需要分页 if (!this.hasPagination()) { return null; } var size = 'default'; var pagination = this.state.pagination; if (pagination.size) { size = pagination.size; } else if (this.props.size === 'middle' || this.props.size === 'small') { size = 'small'; } var position = pagination.position || 'bottom'; var total = pagination.total || this.getLocalData().length; return total > 0 && (position === paginationPosition || position === 'both') ? React.createElement(_pagination["default"], _extends({ key: "pagination-".concat(paginationPosition) }, pagination, { className: (0, _classnames["default"])(pagination.className, "".concat(prefixCls, "-pagination")), onChange: this.handlePageChange, total: total, size: size, current: this.getMaxCurrent(total), onShowSizeChange: this.handleShowSizeChange })) : null; } }, { key: "renderRowSelection", value: function renderRowSelection(_ref6) { var _this6 = this; var prefixCls = _ref6.prefixCls, locale = _ref6.locale, getPopupContainer = _ref6.getPopupContainer; var rowSelection = this.props.rowSelection; var columns = this.state.columns.concat(); if (rowSelection) { var data = this.getFlatCurrentPageData().filter(function (item, index) { if (rowSelection.getCheckboxProps) { return !_this6.getCheckboxPropsByItem(item, index).disabled; } return true; }); var selectionColumnClass = (0, _classnames["default"])("".concat(prefixCls, "-selection-column"), _defineProperty({}, "".concat(prefixCls, "-selection-column-custom"), rowSelection.selections)); var selectionColumn = _defineProperty({ key: 'selection-column', render: this.renderSelectionBox(rowSelection.type), className: selectionColumnClass, fixed: rowSelection.fixed, width: rowSelection.columnWidth, title: rowSelection.columnTitle }, _rcTable.INTERNAL_COL_DEFINE, { className: "".concat(prefixCls, "-selection-col") }); if (rowSelection.type !== 'radio') { var checkboxAllDisabled = data.every(function (item, index) { return _this6.getCheckboxPropsByItem(item, index).disabled; }); selectionColumn.title = selectionColumn.title || React.createElement(_SelectionCheckboxAll["default"], { store: this.props.store, locale: locale, data: data, getCheckboxPropsByItem: this.getCheckboxPropsByItem, getRecordKey: this.getRecordKey, disabled: checkboxAllDisabled, prefixCls: prefixCls, onSelect: this.handleSelectRow, selections: rowSelection.selections, hideDefaultSelections: rowSelection.hideDefaultSelections, getPopupContainer: this.generatePopupContainerFunc(getPopupContainer) }); } if ('fixed' in rowSelection) { selectionColumn.fixed = rowSelection.fixed; } else if (columns.some(function (column) { return column.fixed === 'left' || column.fixed === true; })) { selectionColumn.fixed = 'left'; } if (columns[0] && columns[0].key === 'selection-column') { columns[0] = selectionColumn; } else { columns.unshift(selectionColumn); } } return columns; } }, { key: "renderColumnsDropdown", value: function renderColumnsDropdown(_ref7) { var _this7 = this; var prefixCls = _ref7.prefixCls, dropdownPrefixCls = _ref7.dropdownPrefixCls, columns = _ref7.columns, locale = _ref7.locale, getPopupContainer = _ref7.getPopupContainer; var _this$state3 = this.state, sortOrder = _this$state3.sortOrder, filters = _this$state3.filters; return (0, _util.treeMap)(columns, function (column, i) { var _classNames4; var key = getColumnKey(column, i); var filterDropdown; var sortButton; var onHeaderCell = column.onHeaderCell; var isSortColumn = _this7.isSortColumn(column); if (column.filters && column.filters.length > 0 || column.filterDropdown) { var colFilters = key in filters ? filters[key] : []; filterDropdown = React.createElement(_filterDropdown["default"], { locale: locale, column: column, selectedKeys: colFilters, confirmFilter: _this7.handleFilter, prefixCls: "".concat(prefixCls, "-filter"), dropdownPrefixCls: dropdownPrefixCls || 'ant-dropdown', getPopupContainer: _this7.generatePopupContainerFunc(getPopupContainer), key: "filter-dropdown" }); } if (column.sorter) { var sortDirections = column.sortDirections || _this7.props.sortDirections; var isAscend = isSortColumn && sortOrder === 'ascend'; var isDescend = isSortColumn && sortOrder === 'descend'; var ascend = sortDirections.indexOf('ascend') !== -1 && React.createElement(_icon["default"], { className: "".concat(prefixCls, "-column-sorter-up ").concat(isAscend ? 'on' : 'off'), type: "caret-up", theme: "filled" }); var descend = sortDirections.indexOf('descend') !== -1 && React.createElement(_icon["default"], { className: "".concat(prefixCls, "-column-sorter-down ").concat(isDescend ? 'on' : 'off'), type: "caret-down", theme: "filled" }); sortButton = React.createElement("div", { title: locale.sortTitle, className: (0, _classnames["default"])("".concat(prefixCls, "-column-sorter-inner"), ascend && descend && "".concat(prefixCls, "-column-sorter-inner-full")), key: "sorter" }, ascend, descend); onHeaderCell = function onHeaderCell(col) { var colProps = {}; // Get original first if (column.onHeaderCell) { colProps = _extends({}, column.onHeaderCell(col)); } // Add sorter logic var onHeaderCellClick = colProps.onClick; colProps.onClick = function () { _this7.toggleSortOrder(column); if (onHeaderCellClick) { onHeaderCellClick.apply(void 0, arguments); } }; return colProps; }; } return _extends(_extends({}, column), { className: (0, _classnames["default"])(column.className, (_classNames4 = {}, _defineProperty(_classNames4, "".concat(prefixCls, "-column-has-actions"), sortButton || filterDropdown), _defineProperty(_classNames4, "".concat(prefixCls, "-column-has-filters"), filterDropdown), _defineProperty(_classNames4, "".concat(prefixCls, "-column-has-sorters"), sortButton), _defineProperty(_classNames4, "".concat(prefixCls, "-column-sort"), isSortColumn && sortOrder), _classNames4)), title: [React.createElement("span", { key: "title", className: "".concat(prefixCls, "-header-column") }, React.createElement("div", { className: sortButton ? "".concat(prefixCls, "-column-sorters") : undefined }, React.createElement("span", { className: "".concat(prefixCls, "-column-title") }, _this7.renderColumnTitle(column.title)), React.createElement("span", { className: "".concat(prefixCls, "-column-sorter") }, sortButton))), filterDropdown], onHeaderCell: onHeaderCell }); }); } }, { key: "renderColumnTitle", value: function renderColumnTitle(title) { var _this$state4 = this.state, filters = _this$state4.filters, sortOrder = _this$state4.sortOrder, sortColumn = _this$state4.sortColumn; // https://github.com/ant-design/ant-design/issues/11246#issuecomment-405009167 if (title instanceof Function) { return title({ filters: filters, sortOrder: sortOrder, sortColumn: sortColumn }); } return title; } }, { key: "render", value: function render() { return React.createElement(_configProvider.ConfigConsumer, null, this.renderComponent); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(nextProps, prevState) { var prevProps = prevState.prevProps; var columns = nextProps.columns || (0, _util.normalizeColumns)(nextProps.children); var nextState = _extends(_extends({}, prevState), { prevProps: nextProps, columns: columns }); if ('pagination' in nextProps || 'pagination' in prevProps) { var newPagination = _extends(_extends(_extends({}, defaultPagination), prevState.pagination), nextProps.pagination); newPagination.current = newPagination.current || 1; newPagination.pageSize = newPagination.pageSize || 10; nextState = _extends(_extends({}, nextState), { pagination: nextProps.pagination !== false ? newPagination : emptyObject }); } if (nextProps.rowSelection && 'selectedRowKeys' in nextProps.rowSelection) { nextProps.store.setState({ selectedRowKeys: nextProps.rowSelection.selectedRowKeys || [] }); } else if (prevProps.rowSelection && !nextProps.rowSelection) { nextProps.store.setState({ selectedRowKeys: [] }); } if ('dataSource' in nextProps && nextProps.dataSource !== prevProps.dataSource) { nextProps.store.setState({ selectionDirty: false }); } // https://github.com/ant-design/ant-design/issues/10133 nextProps.setCheckboxPropsCache({}); // Update filters var filteredValueColumns = getFilteredValueColumns(nextState, nextState.columns); if (filteredValueColumns.length > 0) { var filtersFromColumns = getFiltersFromColumns(nextState, nextState.columns); var newFilters = _extends({}, nextState.filters); Object.keys(filtersFromColumns).forEach(function (key) { newFilters[key] = filtersFromColumns[key]; }); if (isFiltersChanged(nextState, newFilters)) { nextState = _extends(_extends({}, nextState), { filters: newFilters }); } } if (!isTheSameComponents(nextProps.components, prevProps.components)) { var components = createComponents(nextProps.components); nextState = _extends(_extends({}, nextState), { components: components }); } return nextState; } }]); return Table; }(React.Component); Table.propTypes = { dataSource: PropTypes.array, columns: PropTypes.array, prefixCls: PropTypes.string, useFixedHeader: PropTypes.bool, rowSelection: PropTypes.object, className: PropTypes.string, size: PropTypes.string, loading: PropTypes.oneOfType([PropTypes.bool, PropTypes.object]), bordered: PropTypes.bool, onChange: PropTypes.func, locale: PropTypes.object, dropdownPrefixCls: PropTypes.string, sortDirections: PropTypes.array, getPopupContainer: PropTypes.func }; Table.defaultProps = { dataSource: [], useFixedHeader: false, className: '', size: 'default', loading: false, bordered: false, indentSize: 20, locale: {}, rowKey: 'key', showHeader: true, sortDirections: ['ascend', 'descend'], childrenColumnName: 'children' }; (0, _reactLifecyclesCompat.polyfill)(Table); var StoreTable = /*#__PURE__*/ function (_React$Component2) { _inherits(StoreTable, _React$Component2); function StoreTable(props) { var _this8; _classCallCheck(this, StoreTable); _this8 = _possibleConstructorReturn(this, _getPrototypeOf(StoreTable).call(this, props)); _this8.setCheckboxPropsCache = function (cache) { return _this8.CheckboxPropsCache = cache; }; _this8.CheckboxPropsCache = {}; _this8.store = (0, _createStore["default"])({ selectedRowKeys: getRowSelection(props).selectedRowKeys || [], selectionDirty: false }); return _this8; } _createClass(StoreTable, [{ key: "render", value: function render() { return React.createElement(Table, _extends({}, this.props, { store: this.store, checkboxPropsCache: this.CheckboxPropsCache, setCheckboxPropsCache: this.setCheckboxPropsCache })); } }]); return StoreTable; }(React.Component); StoreTable.displayName = 'withStore(Table)'; StoreTable.Column = _Column["default"]; StoreTable.ColumnGroup = _ColumnGroup["default"]; var _default = StoreTable; exports["default"] = _default; //# sourceMappingURL=Table.js.map /***/ }), /***/ 1218: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Table__ = __webpack_require__(1219); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__Column__ = __webpack_require__(1051); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__ColumnGroup__ = __webpack_require__(1052); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__utils__ = __webpack_require__(839); /* harmony reexport (binding) */ __webpack_require__.d(__webpack_exports__, "Column", function() { return __WEBPACK_IMPORTED_MODULE_1__Column__["a"]; }); /* harmony reexport (binding) */ __webpack_require__.d(__webpack_exports__, "ColumnGroup", function() { return __WEBPACK_IMPORTED_MODULE_2__ColumnGroup__["a"]; }); /* harmony reexport (binding) */ __webpack_require__.d(__webpack_exports__, "INTERNAL_COL_DEFINE", function() { return __WEBPACK_IMPORTED_MODULE_3__utils__["a"]; }); /* harmony default export */ __webpack_exports__["default"] = (__WEBPACK_IMPORTED_MODULE_0__Table__["a" /* default */]); /***/ }), /***/ 1219: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_shallowequal__ = __webpack_require__(56); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_shallowequal___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_shallowequal__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_rc_util_es_Dom_addEventListener__ = __webpack_require__(184); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_rc_util_es_warning__ = __webpack_require__(308); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_mini_store__ = __webpack_require__(86); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_mini_store___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_mini_store__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_lodash_merge__ = __webpack_require__(1220); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_lodash_merge___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_lodash_merge__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_component_classes__ = __webpack_require__(183); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_component_classes___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_component_classes__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_lifecycles_compat__ = __webpack_require__(7); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__utils__ = __webpack_require__(839); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__ColumnManager__ = __webpack_require__(1246); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__HeadTable__ = __webpack_require__(1247); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__BodyTable__ = __webpack_require__(1254); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__Column__ = __webpack_require__(1051); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__ColumnGroup__ = __webpack_require__(1052); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__ExpandableTable__ = __webpack_require__(1255); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var Table = /*#__PURE__*/ function (_React$Component) { _inherits(Table, _React$Component); function Table(props) { var _this; _classCallCheck(this, Table); _this = _possibleConstructorReturn(this, _getPrototypeOf(Table).call(this, props)); _this.state = {}; _this.getRowKey = function (record, index) { var rowKey = _this.props.rowKey; var key = typeof rowKey === 'function' ? rowKey(record, index) : record[rowKey]; Object(__WEBPACK_IMPORTED_MODULE_4_rc_util_es_warning__["a" /* default */])(key !== undefined, 'Each record in table should have a unique `key` prop,' + 'or set `rowKey` to an unique primary key.'); return key === undefined ? index : key; }; _this.handleWindowResize = function () { _this.syncFixedTableRowHeight(); _this.setScrollPositionClassName(); }; _this.syncFixedTableRowHeight = function () { var tableRect = _this.tableNode.getBoundingClientRect(); // If tableNode's height less than 0, suppose it is hidden and don't recalculate rowHeight. // see: https://github.com/ant-design/ant-design/issues/4836 if (tableRect.height !== undefined && tableRect.height <= 0) { return; } var prefixCls = _this.props.prefixCls; var headRows = _this.headTable ? _this.headTable.querySelectorAll('thead') : _this.bodyTable.querySelectorAll('thead'); var bodyRows = _this.bodyTable.querySelectorAll(".".concat(prefixCls, "-row")) || []; var fixedColumnsHeadRowsHeight = [].map.call(headRows, function (row) { return row.getBoundingClientRect().height ? row.getBoundingClientRect().height - 1 : 'auto'; }); var state = _this.store.getState(); var fixedColumnsBodyRowsHeight = [].reduce.call(bodyRows, function (acc, row) { var rowKey = row.getAttribute('data-row-key'); var height = row.getBoundingClientRect().height || state.fixedColumnsBodyRowsHeight[rowKey] || 'auto'; acc[rowKey] = height; return acc; }, {}); if (__WEBPACK_IMPORTED_MODULE_2_shallowequal___default()(state.fixedColumnsHeadRowsHeight, fixedColumnsHeadRowsHeight) && __WEBPACK_IMPORTED_MODULE_2_shallowequal___default()(state.fixedColumnsBodyRowsHeight, fixedColumnsBodyRowsHeight)) { return; } _this.store.setState({ fixedColumnsHeadRowsHeight: fixedColumnsHeadRowsHeight, fixedColumnsBodyRowsHeight: fixedColumnsBodyRowsHeight }); }; _this.handleBodyScrollLeft = function (e) { // Fix https://github.com/ant-design/ant-design/issues/7635 if (e.currentTarget !== e.target) { return; } var target = e.target; var _this$props$scroll = _this.props.scroll, scroll = _this$props$scroll === void 0 ? {} : _this$props$scroll; var _assertThisInitialize = _assertThisInitialized(_this), headTable = _assertThisInitialize.headTable, bodyTable = _assertThisInitialize.bodyTable; if (target.scrollLeft !== _this.lastScrollLeft && scroll.x) { if (target === bodyTable && headTable) { headTable.scrollLeft = target.scrollLeft; } else if (target === headTable && bodyTable) { bodyTable.scrollLeft = target.scrollLeft; } _this.setScrollPositionClassName(); } // Remember last scrollLeft for scroll direction detecting. _this.lastScrollLeft = target.scrollLeft; }; _this.handleBodyScrollTop = function (e) { var target = e.target; // Fix https://github.com/ant-design/ant-design/issues/9033 if (e.currentTarget !== target) { return; } var _this$props$scroll2 = _this.props.scroll, scroll = _this$props$scroll2 === void 0 ? {} : _this$props$scroll2; var _assertThisInitialize2 = _assertThisInitialized(_this), headTable = _assertThisInitialize2.headTable, bodyTable = _assertThisInitialize2.bodyTable, fixedColumnsBodyLeft = _assertThisInitialize2.fixedColumnsBodyLeft, fixedColumnsBodyRight = _assertThisInitialize2.fixedColumnsBodyRight; if (target.scrollTop !== _this.lastScrollTop && scroll.y && target !== headTable) { var scrollTop = target.scrollTop; if (fixedColumnsBodyLeft && target !== fixedColumnsBodyLeft) { fixedColumnsBodyLeft.scrollTop = scrollTop; } if (fixedColumnsBodyRight && target !== fixedColumnsBodyRight) { fixedColumnsBodyRight.scrollTop = scrollTop; } if (bodyTable && target !== bodyTable) { bodyTable.scrollTop = scrollTop; } } // Remember last scrollTop for scroll direction detecting. _this.lastScrollTop = target.scrollTop; }; _this.handleBodyScroll = function (e) { _this.handleBodyScrollLeft(e); _this.handleBodyScrollTop(e); }; _this.handleWheel = function (event) { var _this$props$scroll3 = _this.props.scroll, scroll = _this$props$scroll3 === void 0 ? {} : _this$props$scroll3; if (window.navigator.userAgent.match(/Trident\/7\./) && scroll.y) { event.preventDefault(); var wd = event.deltaY; var target = event.target; var _assertThisInitialize3 = _assertThisInitialized(_this), bodyTable = _assertThisInitialize3.bodyTable, fixedColumnsBodyLeft = _assertThisInitialize3.fixedColumnsBodyLeft, fixedColumnsBodyRight = _assertThisInitialize3.fixedColumnsBodyRight; var scrollTop = 0; if (_this.lastScrollTop) { scrollTop = _this.lastScrollTop + wd; } else { scrollTop = wd; } if (fixedColumnsBodyLeft && target !== fixedColumnsBodyLeft) { fixedColumnsBodyLeft.scrollTop = scrollTop; } if (fixedColumnsBodyRight && target !== fixedColumnsBodyRight) { fixedColumnsBodyRight.scrollTop = scrollTop; } if (bodyTable && target !== bodyTable) { bodyTable.scrollTop = scrollTop; } } }; _this.saveRef = function (name) { return function (node) { _this[name] = node; }; }; _this.saveTableNodeRef = function (node) { _this.tableNode = node; }; ['onRowClick', 'onRowDoubleClick', 'onRowContextMenu', 'onRowMouseEnter', 'onRowMouseLeave'].forEach(function (name) { Object(__WEBPACK_IMPORTED_MODULE_4_rc_util_es_warning__["a" /* default */])(props[name] === undefined, "".concat(name, " is deprecated, please use onRow instead.")); }); Object(__WEBPACK_IMPORTED_MODULE_4_rc_util_es_warning__["a" /* default */])(props.getBodyWrapper === undefined, 'getBodyWrapper is deprecated, please use custom components instead.'); _this.columnManager = new __WEBPACK_IMPORTED_MODULE_11__ColumnManager__["a" /* default */](props.columns, props.children); _this.store = Object(__WEBPACK_IMPORTED_MODULE_5_mini_store__["create"])({ currentHoverKey: null, fixedColumnsHeadRowsHeight: [], fixedColumnsBodyRowsHeight: {} }); _this.setScrollPosition('left'); _this.debouncedWindowResize = Object(__WEBPACK_IMPORTED_MODULE_10__utils__["b" /* debounce */])(_this.handleWindowResize, 150); return _this; } _createClass(Table, [{ key: "getChildContext", value: function getChildContext() { return { table: { props: this.props, columnManager: this.columnManager, saveRef: this.saveRef, components: __WEBPACK_IMPORTED_MODULE_6_lodash_merge___default()({ table: 'table', header: { wrapper: 'thead', row: 'tr', cell: 'th' }, body: { wrapper: 'tbody', row: 'tr', cell: 'td' } }, this.props.components) } }; } }, { key: "componentDidMount", value: function componentDidMount() { if (this.columnManager.isAnyColumnsFixed()) { this.handleWindowResize(); this.resizeEvent = Object(__WEBPACK_IMPORTED_MODULE_3_rc_util_es_Dom_addEventListener__["a" /* default */])(window, 'resize', this.debouncedWindowResize); } // https://github.com/ant-design/ant-design/issues/11635 if (this.headTable) { this.headTable.scrollLeft = 0; } if (this.bodyTable) { this.bodyTable.scrollLeft = 0; } } }, { key: "componentDidUpdate", value: function componentDidUpdate(prevProps) { if (this.columnManager.isAnyColumnsFixed()) { this.handleWindowResize(); if (!this.resizeEvent) { this.resizeEvent = Object(__WEBPACK_IMPORTED_MODULE_3_rc_util_es_Dom_addEventListener__["a" /* default */])(window, 'resize', this.debouncedWindowResize); } } // when table changes to empty, reset scrollLeft if (prevProps.data.length > 0 && this.props.data.length === 0 && this.hasScrollX()) { this.resetScrollX(); } } }, { key: "componentWillUnmount", value: function componentWillUnmount() { if (this.resizeEvent) { this.resizeEvent.remove(); } if (this.debouncedWindowResize) { this.debouncedWindowResize.cancel(); } } }, { key: "setScrollPosition", value: function setScrollPosition(position) { this.scrollPosition = position; if (this.tableNode) { var prefixCls = this.props.prefixCls; if (position === 'both') { __WEBPACK_IMPORTED_MODULE_7_component_classes___default()(this.tableNode).remove(new RegExp("^".concat(prefixCls, "-scroll-position-.+$"))).add("".concat(prefixCls, "-scroll-position-left")).add("".concat(prefixCls, "-scroll-position-right")); } else { __WEBPACK_IMPORTED_MODULE_7_component_classes___default()(this.tableNode).remove(new RegExp("^".concat(prefixCls, "-scroll-position-.+$"))).add("".concat(prefixCls, "-scroll-position-").concat(position)); } } } }, { key: "setScrollPositionClassName", value: function setScrollPositionClassName() { var node = this.bodyTable; var scrollToLeft = node.scrollLeft === 0; var scrollToRight = node.scrollLeft + 1 >= node.children[0].getBoundingClientRect().width - node.getBoundingClientRect().width; if (scrollToLeft && scrollToRight) { this.setScrollPosition('both'); } else if (scrollToLeft) { this.setScrollPosition('left'); } else if (scrollToRight) { this.setScrollPosition('right'); } else if (this.scrollPosition !== 'middle') { this.setScrollPosition('middle'); } } }, { key: "isTableLayoutFixed", value: function isTableLayoutFixed() { var _this$props = this.props, tableLayout = _this$props.tableLayout, _this$props$columns = _this$props.columns, columns = _this$props$columns === void 0 ? [] : _this$props$columns, useFixedHeader = _this$props.useFixedHeader, _this$props$scroll4 = _this$props.scroll, scroll = _this$props$scroll4 === void 0 ? {} : _this$props$scroll4; if (typeof tableLayout !== 'undefined') { return tableLayout === 'fixed'; } // if one column is ellipsis, use fixed table layout to fix align issue if (columns.some(function (_ref) { var ellipsis = _ref.ellipsis; return !!ellipsis; })) { return true; } // if header fixed, use fixed table layout to fix align issue if (useFixedHeader || scroll.y) { return true; } // if scroll.x is number/px/% width value, we should fixed table layout // to avoid long word layout broken issue if (scroll.x && scroll.x !== true && scroll.x !== 'max-content') { return true; } return false; } }, { key: "resetScrollX", value: function resetScrollX() { if (this.headTable) { this.headTable.scrollLeft = 0; } if (this.bodyTable) { this.bodyTable.scrollLeft = 0; } } }, { key: "hasScrollX", value: function hasScrollX() { var _this$props$scroll5 = this.props.scroll, scroll = _this$props$scroll5 === void 0 ? {} : _this$props$scroll5; return 'x' in scroll; } }, { key: "renderMainTable", value: function renderMainTable() { var _this$props2 = this.props, scroll = _this$props2.scroll, prefixCls = _this$props2.prefixCls; var isAnyColumnsFixed = this.columnManager.isAnyColumnsFixed(); var scrollable = isAnyColumnsFixed || scroll.x || scroll.y; var table = [this.renderTable({ columns: this.columnManager.groupedColumns(), isAnyColumnsFixed: isAnyColumnsFixed }), this.renderEmptyText(), this.renderFooter()]; return scrollable ? __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-scroll") }, table) : table; } }, { key: "renderLeftFixedTable", value: function renderLeftFixedTable() { var prefixCls = this.props.prefixCls; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-fixed-left") }, this.renderTable({ columns: this.columnManager.leftColumns(), fixed: 'left' })); } }, { key: "renderRightFixedTable", value: function renderRightFixedTable() { var prefixCls = this.props.prefixCls; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-fixed-right") }, this.renderTable({ columns: this.columnManager.rightColumns(), fixed: 'right' })); } }, { key: "renderTable", value: function renderTable(options) { var columns = options.columns, fixed = options.fixed, isAnyColumnsFixed = options.isAnyColumnsFixed; var _this$props3 = this.props, prefixCls = _this$props3.prefixCls, _this$props3$scroll = _this$props3.scroll, scroll = _this$props3$scroll === void 0 ? {} : _this$props3$scroll; var tableClassName = scroll.x || fixed ? "".concat(prefixCls, "-fixed") : ''; var headTable = __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_12__HeadTable__["a" /* default */], { key: "head", columns: columns, fixed: fixed, tableClassName: tableClassName, handleBodyScrollLeft: this.handleBodyScrollLeft, expander: this.expander }); var bodyTable = __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_13__BodyTable__["a" /* default */], { key: "body", columns: columns, fixed: fixed, tableClassName: tableClassName, getRowKey: this.getRowKey, handleWheel: this.handleWheel, handleBodyScroll: this.handleBodyScroll, expander: this.expander, isAnyColumnsFixed: isAnyColumnsFixed }); return [headTable, bodyTable]; } }, { key: "renderTitle", value: function renderTitle() { var _this$props4 = this.props, title = _this$props4.title, prefixCls = _this$props4.prefixCls; return title ? __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-title"), key: "title" }, title(this.props.data)) : null; } }, { key: "renderFooter", value: function renderFooter() { var _this$props5 = this.props, footer = _this$props5.footer, prefixCls = _this$props5.prefixCls; return footer ? __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-footer"), key: "footer" }, footer(this.props.data)) : null; } }, { key: "renderEmptyText", value: function renderEmptyText() { var _this$props6 = this.props, emptyText = _this$props6.emptyText, prefixCls = _this$props6.prefixCls, data = _this$props6.data; if (data.length) { return null; } var emptyClassName = "".concat(prefixCls, "-placeholder"); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: emptyClassName, key: "emptyText" }, typeof emptyText === 'function' ? emptyText() : emptyText); } }, { key: "render", value: function render() { var _classNames, _this2 = this; var props = this.props; var prefixCls = props.prefixCls; if (this.state.columns) { this.columnManager.reset(props.columns); } else if (this.state.children) { this.columnManager.reset(null, props.children); } var tableClassName = __WEBPACK_IMPORTED_MODULE_8_classnames___default()(props.prefixCls, props.className, (_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-fixed-header"), props.useFixedHeader || props.scroll && props.scroll.y), _defineProperty(_classNames, "".concat(prefixCls, "-scroll-position-left ").concat(prefixCls, "-scroll-position-right"), this.scrollPosition === 'both'), _defineProperty(_classNames, "".concat(prefixCls, "-scroll-position-").concat(this.scrollPosition), this.scrollPosition !== 'both'), _defineProperty(_classNames, "".concat(prefixCls, "-layout-fixed"), this.isTableLayoutFixed()), _classNames)); var hasLeftFixed = this.columnManager.isAnyColumnsLeftFixed(); var hasRightFixed = this.columnManager.isAnyColumnsRightFixed(); var dataAndAriaProps = Object(__WEBPACK_IMPORTED_MODULE_10__utils__["c" /* getDataAndAriaProps */])(props); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_5_mini_store__["Provider"], { store: this.store }, __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_16__ExpandableTable__["a" /* default */], Object.assign({}, props, { columnManager: this.columnManager, getRowKey: this.getRowKey }), function (expander) { _this2.expander = expander; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", Object.assign({ ref: _this2.saveTableNodeRef, className: tableClassName, style: props.style, id: props.id }, dataAndAriaProps), _this2.renderTitle(), __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-content") }, _this2.renderMainTable(), hasLeftFixed && _this2.renderLeftFixedTable(), hasRightFixed && _this2.renderRightFixedTable())); })); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(nextProps, prevState) { if (nextProps.columns && nextProps.columns !== prevState.columns) { return { columns: nextProps.columns, children: null }; } if (nextProps.children !== prevState.children) { return { columns: null, children: nextProps.children }; } return null; } }]); return Table; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); Table.childContextTypes = { table: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"], components: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"] }; Table.Column = __WEBPACK_IMPORTED_MODULE_14__Column__["a" /* default */]; Table.ColumnGroup = __WEBPACK_IMPORTED_MODULE_15__ColumnGroup__["a" /* default */]; Table.defaultProps = { data: [], useFixedHeader: false, rowKey: 'key', rowClassName: function rowClassName() { return ''; }, onRow: function onRow() {}, onHeaderRow: function onHeaderRow() {}, prefixCls: 'rc-table', bodyStyle: {}, style: {}, showHeader: true, scroll: {}, rowRef: function rowRef() { return null; }, emptyText: function emptyText() { return 'No Data'; } }; Object(__WEBPACK_IMPORTED_MODULE_9_react_lifecycles_compat__["polyfill"])(Table); /* harmony default export */ __webpack_exports__["a"] = (Table); /***/ }), /***/ 1220: /***/ (function(module, exports, __webpack_require__) { var baseMerge = __webpack_require__(1221), createAssigner = __webpack_require__(1237); /** * This method is like `_.assign` except that it recursively merges own and * inherited enumerable string keyed properties of source objects into the * destination object. Source properties that resolve to `undefined` are * skipped if a destination value exists. Array and plain object properties * are merged recursively. Other objects and value types are overridden by * assignment. Source objects are applied from left to right. Subsequent * sources overwrite property assignments of previous sources. * * **Note:** This method mutates `object`. * * @static * @memberOf _ * @since 0.5.0 * @category Object * @param {Object} object The destination object. * @param {...Object} [sources] The source objects. * @returns {Object} Returns `object`. * @example * * var object = { * 'a': [{ 'b': 2 }, { 'd': 4 }] * }; * * var other = { * 'a': [{ 'c': 3 }, { 'e': 5 }] * }; * * _.merge(object, other); * // => { 'a': [{ 'b': 2, 'c': 3 }, { 'd': 4, 'e': 5 }] } */ var merge = createAssigner(function(object, source, srcIndex) { baseMerge(object, source, srcIndex); }); module.exports = merge; /***/ }), /***/ 1221: /***/ (function(module, exports, __webpack_require__) { var Stack = __webpack_require__(895), assignMergeValue = __webpack_require__(1045), baseFor = __webpack_require__(1222), baseMergeDeep = __webpack_require__(1224), isObject = __webpack_require__(163), keysIn = __webpack_require__(1048), safeGet = __webpack_require__(1047); /** * The base implementation of `_.merge` without support for multiple sources. * * @private * @param {Object} object The destination object. * @param {Object} source The source object. * @param {number} srcIndex The index of `source`. * @param {Function} [customizer] The function to customize merged values. * @param {Object} [stack] Tracks traversed source values and their merged * counterparts. */ function baseMerge(object, source, srcIndex, customizer, stack) { if (object === source) { return; } baseFor(source, function(srcValue, key) { stack || (stack = new Stack); if (isObject(srcValue)) { baseMergeDeep(object, source, key, srcIndex, baseMerge, customizer, stack); } else { var newValue = customizer ? customizer(safeGet(object, key), srcValue, (key + ''), object, source, stack) : undefined; if (newValue === undefined) { newValue = srcValue; } assignMergeValue(object, key, newValue); } }, keysIn); } module.exports = baseMerge; /***/ }), /***/ 1222: /***/ (function(module, exports, __webpack_require__) { var createBaseFor = __webpack_require__(1223); /** * The base implementation of `baseForOwn` which iterates over `object` * properties returned by `keysFunc` and invokes `iteratee` for each property. * Iteratee functions may exit iteration early by explicitly returning `false`. * * @private * @param {Object} object The object to iterate over. * @param {Function} iteratee The function invoked per iteration. * @param {Function} keysFunc The function to get the keys of `object`. * @returns {Object} Returns `object`. */ var baseFor = createBaseFor(); module.exports = baseFor; /***/ }), /***/ 1223: /***/ (function(module, exports) { /** * Creates a base function for methods like `_.forIn` and `_.forOwn`. * * @private * @param {boolean} [fromRight] Specify iterating from right to left. * @returns {Function} Returns the new base function. */ function createBaseFor(fromRight) { return function(object, iteratee, keysFunc) { var index = -1, iterable = Object(object), props = keysFunc(object), length = props.length; while (length--) { var key = props[fromRight ? length : ++index]; if (iteratee(iterable[key], key, iterable) === false) { break; } } return object; }; } module.exports = createBaseFor; /***/ }), /***/ 1224: /***/ (function(module, exports, __webpack_require__) { var assignMergeValue = __webpack_require__(1045), cloneBuffer = __webpack_require__(1225), cloneTypedArray = __webpack_require__(1226), copyArray = __webpack_require__(1228), initCloneObject = __webpack_require__(1229), isArguments = __webpack_require__(836), isArray = __webpack_require__(815), isArrayLikeObject = __webpack_require__(1231), isBuffer = __webpack_require__(851), isFunction = __webpack_require__(831), isObject = __webpack_require__(163), isPlainObject = __webpack_require__(1232), isTypedArray = __webpack_require__(852), safeGet = __webpack_require__(1047), toPlainObject = __webpack_require__(1233); /** * A specialized version of `baseMerge` for arrays and objects which performs * deep merges and tracks traversed objects enabling objects with circular * references to be merged. * * @private * @param {Object} object The destination object. * @param {Object} source The source object. * @param {string} key The key of the value to merge. * @param {number} srcIndex The index of `source`. * @param {Function} mergeFunc The function to merge values. * @param {Function} [customizer] The function to customize assigned values. * @param {Object} [stack] Tracks traversed source values and their merged * counterparts. */ function baseMergeDeep(object, source, key, srcIndex, mergeFunc, customizer, stack) { var objValue = safeGet(object, key), srcValue = safeGet(source, key), stacked = stack.get(srcValue); if (stacked) { assignMergeValue(object, key, stacked); return; } var newValue = customizer ? customizer(objValue, srcValue, (key + ''), object, source, stack) : undefined; var isCommon = newValue === undefined; if (isCommon) { var isArr = isArray(srcValue), isBuff = !isArr && isBuffer(srcValue), isTyped = !isArr && !isBuff && isTypedArray(srcValue); newValue = srcValue; if (isArr || isBuff || isTyped) { if (isArray(objValue)) { newValue = objValue; } else if (isArrayLikeObject(objValue)) { newValue = copyArray(objValue); } else if (isBuff) { isCommon = false; newValue = cloneBuffer(srcValue, true); } else if (isTyped) { isCommon = false; newValue = cloneTypedArray(srcValue, true); } else { newValue = []; } } else if (isPlainObject(srcValue) || isArguments(srcValue)) { newValue = objValue; if (isArguments(objValue)) { newValue = toPlainObject(objValue); } else if (!isObject(objValue) || isFunction(objValue)) { newValue = initCloneObject(srcValue); } } else { isCommon = false; } } if (isCommon) { // Recursively merge objects and arrays (susceptible to call stack limits). stack.set(srcValue, newValue); mergeFunc(newValue, srcValue, srcIndex, customizer, stack); stack['delete'](srcValue); } assignMergeValue(object, key, newValue); } module.exports = baseMergeDeep; /***/ }), /***/ 1225: /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(module) {var root = __webpack_require__(162); /** Detect free variable `exports`. */ var freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports; /** Detect free variable `module`. */ var freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module; /** Detect the popular CommonJS extension `module.exports`. */ var moduleExports = freeModule && freeModule.exports === freeExports; /** Built-in value references. */ var Buffer = moduleExports ? root.Buffer : undefined, allocUnsafe = Buffer ? Buffer.allocUnsafe : undefined; /** * Creates a clone of `buffer`. * * @private * @param {Buffer} buffer The buffer to clone. * @param {boolean} [isDeep] Specify a deep clone. * @returns {Buffer} Returns the cloned buffer. */ function cloneBuffer(buffer, isDeep) { if (isDeep) { return buffer.slice(); } var length = buffer.length, result = allocUnsafe ? allocUnsafe(length) : new buffer.constructor(length); buffer.copy(result); return result; } module.exports = cloneBuffer; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(300)(module))) /***/ }), /***/ 1226: /***/ (function(module, exports, __webpack_require__) { var cloneArrayBuffer = __webpack_require__(1227); /** * Creates a clone of `typedArray`. * * @private * @param {Object} typedArray The typed array to clone. * @param {boolean} [isDeep] Specify a deep clone. * @returns {Object} Returns the cloned typed array. */ function cloneTypedArray(typedArray, isDeep) { var buffer = isDeep ? cloneArrayBuffer(typedArray.buffer) : typedArray.buffer; return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length); } module.exports = cloneTypedArray; /***/ }), /***/ 1227: /***/ (function(module, exports, __webpack_require__) { var Uint8Array = __webpack_require__(926); /** * Creates a clone of `arrayBuffer`. * * @private * @param {ArrayBuffer} arrayBuffer The array buffer to clone. * @returns {ArrayBuffer} Returns the cloned array buffer. */ function cloneArrayBuffer(arrayBuffer) { var result = new arrayBuffer.constructor(arrayBuffer.byteLength); new Uint8Array(result).set(new Uint8Array(arrayBuffer)); return result; } module.exports = cloneArrayBuffer; /***/ }), /***/ 1228: /***/ (function(module, exports) { /** * Copies the values of `source` to `array`. * * @private * @param {Array} source The array to copy values from. * @param {Array} [array=[]] The array to copy values to. * @returns {Array} Returns `array`. */ function copyArray(source, array) { var index = -1, length = source.length; array || (array = Array(length)); while (++index < length) { array[index] = source[index]; } return array; } module.exports = copyArray; /***/ }), /***/ 1229: /***/ (function(module, exports, __webpack_require__) { var baseCreate = __webpack_require__(1230), getPrototype = __webpack_require__(1046), isPrototype = __webpack_require__(907); /** * Initializes an object clone. * * @private * @param {Object} object The object to clone. * @returns {Object} Returns the initialized clone. */ function initCloneObject(object) { return (typeof object.constructor == 'function' && !isPrototype(object)) ? baseCreate(getPrototype(object)) : {}; } module.exports = initCloneObject; /***/ }), /***/ 1230: /***/ (function(module, exports, __webpack_require__) { var isObject = __webpack_require__(163); /** Built-in value references. */ var objectCreate = Object.create; /** * The base implementation of `_.create` without support for assigning * properties to the created object. * * @private * @param {Object} proto The object to inherit from. * @returns {Object} Returns the new object. */ var baseCreate = (function() { function object() {} return function(proto) { if (!isObject(proto)) { return {}; } if (objectCreate) { return objectCreate(proto); } object.prototype = proto; var result = new object; object.prototype = undefined; return result; }; }()); module.exports = baseCreate; /***/ }), /***/ 1231: /***/ (function(module, exports, __webpack_require__) { var isArrayLike = __webpack_require__(850), isObjectLike = __webpack_require__(296); /** * This method is like `_.isArrayLike` except that it also checks if `value` * is an object. * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is an array-like object, * else `false`. * @example * * _.isArrayLikeObject([1, 2, 3]); * // => true * * _.isArrayLikeObject(document.body.children); * // => true * * _.isArrayLikeObject('abc'); * // => false * * _.isArrayLikeObject(_.noop); * // => false */ function isArrayLikeObject(value) { return isObjectLike(value) && isArrayLike(value); } module.exports = isArrayLikeObject; /***/ }), /***/ 1232: /***/ (function(module, exports, __webpack_require__) { var baseGetTag = __webpack_require__(297), getPrototype = __webpack_require__(1046), isObjectLike = __webpack_require__(296); /** `Object#toString` result references. */ var objectTag = '[object Object]'; /** Used for built-in method references. */ var funcProto = Function.prototype, objectProto = Object.prototype; /** Used to resolve the decompiled source of functions. */ var funcToString = funcProto.toString; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** Used to infer the `Object` constructor. */ var objectCtorString = funcToString.call(Object); /** * Checks if `value` is a plain object, that is, an object created by the * `Object` constructor or one with a `[[Prototype]]` of `null`. * * @static * @memberOf _ * @since 0.8.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a plain object, else `false`. * @example * * function Foo() { * this.a = 1; * } * * _.isPlainObject(new Foo); * // => false * * _.isPlainObject([1, 2, 3]); * // => false * * _.isPlainObject({ 'x': 0, 'y': 0 }); * // => true * * _.isPlainObject(Object.create(null)); * // => true */ function isPlainObject(value) { if (!isObjectLike(value) || baseGetTag(value) != objectTag) { return false; } var proto = getPrototype(value); if (proto === null) { return true; } var Ctor = hasOwnProperty.call(proto, 'constructor') && proto.constructor; return typeof Ctor == 'function' && Ctor instanceof Ctor && funcToString.call(Ctor) == objectCtorString; } module.exports = isPlainObject; /***/ }), /***/ 1233: /***/ (function(module, exports, __webpack_require__) { var copyObject = __webpack_require__(1234), keysIn = __webpack_require__(1048); /** * Converts `value` to a plain object flattening inherited enumerable string * keyed properties of `value` to own properties of the plain object. * * @static * @memberOf _ * @since 3.0.0 * @category Lang * @param {*} value The value to convert. * @returns {Object} Returns the converted plain object. * @example * * function Foo() { * this.b = 2; * } * * Foo.prototype.c = 3; * * _.assign({ 'a': 1 }, new Foo); * // => { 'a': 1, 'b': 2 } * * _.assign({ 'a': 1 }, _.toPlainObject(new Foo)); * // => { 'a': 1, 'b': 2, 'c': 3 } */ function toPlainObject(value) { return copyObject(value, keysIn(value)); } module.exports = toPlainObject; /***/ }), /***/ 1234: /***/ (function(module, exports, __webpack_require__) { var assignValue = __webpack_require__(902), baseAssignValue = __webpack_require__(842); /** * Copies properties of `source` to `object`. * * @private * @param {Object} source The object to copy properties from. * @param {Array} props The property identifiers to copy. * @param {Object} [object={}] The object to copy properties to. * @param {Function} [customizer] The function to customize copied values. * @returns {Object} Returns `object`. */ function copyObject(source, props, object, customizer) { var isNew = !object; object || (object = {}); var index = -1, length = props.length; while (++index < length) { var key = props[index]; var newValue = customizer ? customizer(object[key], source[key], key, object, source) : undefined; if (newValue === undefined) { newValue = source[key]; } if (isNew) { baseAssignValue(object, key, newValue); } else { assignValue(object, key, newValue); } } return object; } module.exports = copyObject; /***/ }), /***/ 1235: /***/ (function(module, exports, __webpack_require__) { var isObject = __webpack_require__(163), isPrototype = __webpack_require__(907), nativeKeysIn = __webpack_require__(1236); /** Used for built-in method references. */ var objectProto = Object.prototype; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** * The base implementation of `_.keysIn` which doesn't treat sparse arrays as dense. * * @private * @param {Object} object The object to query. * @returns {Array} Returns the array of property names. */ function baseKeysIn(object) { if (!isObject(object)) { return nativeKeysIn(object); } var isProto = isPrototype(object), result = []; for (var key in object) { if (!(key == 'constructor' && (isProto || !hasOwnProperty.call(object, key)))) { result.push(key); } } return result; } module.exports = baseKeysIn; /***/ }), /***/ 1236: /***/ (function(module, exports) { /** * This function is like * [`Object.keys`](http://ecma-international.org/ecma-262/7.0/#sec-object.keys) * except that it includes inherited enumerable properties. * * @private * @param {Object} object The object to query. * @returns {Array} Returns the array of property names. */ function nativeKeysIn(object) { var result = []; if (object != null) { for (var key in Object(object)) { result.push(key); } } return result; } module.exports = nativeKeysIn; /***/ }), /***/ 1237: /***/ (function(module, exports, __webpack_require__) { var baseRest = __webpack_require__(1238), isIterateeCall = __webpack_require__(1245); /** * Creates a function like `_.assign`. * * @private * @param {Function} assigner The function to assign values. * @returns {Function} Returns the new assigner function. */ function createAssigner(assigner) { return baseRest(function(object, sources) { var index = -1, length = sources.length, customizer = length > 1 ? sources[length - 1] : undefined, guard = length > 2 ? sources[2] : undefined; customizer = (assigner.length > 3 && typeof customizer == 'function') ? (length--, customizer) : undefined; if (guard && isIterateeCall(sources[0], sources[1], guard)) { customizer = length < 3 ? undefined : customizer; length = 1; } object = Object(object); while (++index < length) { var source = sources[index]; if (source) { assigner(object, source, index, customizer); } } return object; }); } module.exports = createAssigner; /***/ }), /***/ 1238: /***/ (function(module, exports, __webpack_require__) { var identity = __webpack_require__(908), overRest = __webpack_require__(1239), setToString = __webpack_require__(1241); /** * The base implementation of `_.rest` which doesn't validate or coerce arguments. * * @private * @param {Function} func The function to apply a rest parameter to. * @param {number} [start=func.length-1] The start position of the rest parameter. * @returns {Function} Returns the new function. */ function baseRest(func, start) { return setToString(overRest(func, start, identity), func + ''); } module.exports = baseRest; /***/ }), /***/ 1239: /***/ (function(module, exports, __webpack_require__) { var apply = __webpack_require__(1240); /* Built-in method references for those with the same name as other `lodash` methods. */ var nativeMax = Math.max; /** * A specialized version of `baseRest` which transforms the rest array. * * @private * @param {Function} func The function to apply a rest parameter to. * @param {number} [start=func.length-1] The start position of the rest parameter. * @param {Function} transform The rest array transform. * @returns {Function} Returns the new function. */ function overRest(func, start, transform) { start = nativeMax(start === undefined ? (func.length - 1) : start, 0); return function() { var args = arguments, index = -1, length = nativeMax(args.length - start, 0), array = Array(length); while (++index < length) { array[index] = args[start + index]; } index = -1; var otherArgs = Array(start + 1); while (++index < start) { otherArgs[index] = args[index]; } otherArgs[start] = transform(array); return apply(func, this, otherArgs); }; } module.exports = overRest; /***/ }), /***/ 1240: /***/ (function(module, exports) { /** * A faster alternative to `Function#apply`, this function invokes `func` * with the `this` binding of `thisArg` and the arguments of `args`. * * @private * @param {Function} func The function to invoke. * @param {*} thisArg The `this` binding of `func`. * @param {Array} args The arguments to invoke `func` with. * @returns {*} Returns the result of `func`. */ function apply(func, thisArg, args) { switch (args.length) { case 0: return func.call(thisArg); case 1: return func.call(thisArg, args[0]); case 2: return func.call(thisArg, args[0], args[1]); case 3: return func.call(thisArg, args[0], args[1], args[2]); } return func.apply(thisArg, args); } module.exports = apply; /***/ }), /***/ 1241: /***/ (function(module, exports, __webpack_require__) { var baseSetToString = __webpack_require__(1242), shortOut = __webpack_require__(1244); /** * Sets the `toString` method of `func` to return `string`. * * @private * @param {Function} func The function to modify. * @param {Function} string The `toString` result. * @returns {Function} Returns `func`. */ var setToString = shortOut(baseSetToString); module.exports = setToString; /***/ }), /***/ 1242: /***/ (function(module, exports, __webpack_require__) { var constant = __webpack_require__(1243), defineProperty = __webpack_require__(853), identity = __webpack_require__(908); /** * The base implementation of `setToString` without support for hot loop shorting. * * @private * @param {Function} func The function to modify. * @param {Function} string The `toString` result. * @returns {Function} Returns `func`. */ var baseSetToString = !defineProperty ? identity : function(func, string) { return defineProperty(func, 'toString', { 'configurable': true, 'enumerable': false, 'value': constant(string), 'writable': true }); }; module.exports = baseSetToString; /***/ }), /***/ 1243: /***/ (function(module, exports) { /** * Creates a function that returns `value`. * * @static * @memberOf _ * @since 2.4.0 * @category Util * @param {*} value The value to return from the new function. * @returns {Function} Returns the new constant function. * @example * * var objects = _.times(2, _.constant({ 'a': 1 })); * * console.log(objects); * // => [{ 'a': 1 }, { 'a': 1 }] * * console.log(objects[0] === objects[1]); * // => true */ function constant(value) { return function() { return value; }; } module.exports = constant; /***/ }), /***/ 1244: /***/ (function(module, exports) { /** Used to detect hot functions by number of calls within a span of milliseconds. */ var HOT_COUNT = 800, HOT_SPAN = 16; /* Built-in method references for those with the same name as other `lodash` methods. */ var nativeNow = Date.now; /** * Creates a function that'll short out and invoke `identity` instead * of `func` when it's called `HOT_COUNT` or more times in `HOT_SPAN` * milliseconds. * * @private * @param {Function} func The function to restrict. * @returns {Function} Returns the new shortable function. */ function shortOut(func) { var count = 0, lastCalled = 0; return function() { var stamp = nativeNow(), remaining = HOT_SPAN - (stamp - lastCalled); lastCalled = stamp; if (remaining > 0) { if (++count >= HOT_COUNT) { return arguments[0]; } } else { count = 0; } return func.apply(undefined, arguments); }; } module.exports = shortOut; /***/ }), /***/ 1245: /***/ (function(module, exports, __webpack_require__) { var eq = __webpack_require__(820), isArrayLike = __webpack_require__(850), isIndex = __webpack_require__(824), isObject = __webpack_require__(163); /** * Checks if the given arguments are from an iteratee call. * * @private * @param {*} value The potential iteratee value argument. * @param {*} index The potential iteratee index or key argument. * @param {*} object The potential iteratee object argument. * @returns {boolean} Returns `true` if the arguments are from an iteratee call, * else `false`. */ function isIterateeCall(value, index, object) { if (!isObject(object)) { return false; } var type = typeof index; if (type == 'number' ? (isArrayLike(object) && isIndex(index, object.length)) : (type == 'string' && index in object) ) { return eq(object[index], value); } return false; } module.exports = isIterateeCall; /***/ }), /***/ 1246: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ColumnManager; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _nonIterableSpread(); } function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance"); } function _iterableToArray(iter) { if (Symbol.iterator in Object(iter) || Object.prototype.toString.call(iter) === "[object Arguments]") return Array.from(iter); } function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = new Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } /* eslint-disable no-underscore-dangle */ var ColumnManager = /*#__PURE__*/ function () { function ColumnManager(columns, elements) { _classCallCheck(this, ColumnManager); this._cached = {}; this.columns = columns || this.normalize(elements); } _createClass(ColumnManager, [{ key: "isAnyColumnsFixed", value: function isAnyColumnsFixed() { var _this = this; return this._cache('isAnyColumnsFixed', function () { return _this.columns.some(function (column) { return !!column.fixed; }); }); } }, { key: "isAnyColumnsLeftFixed", value: function isAnyColumnsLeftFixed() { var _this2 = this; return this._cache('isAnyColumnsLeftFixed', function () { return _this2.columns.some(function (column) { return column.fixed === 'left' || column.fixed === true; }); }); } }, { key: "isAnyColumnsRightFixed", value: function isAnyColumnsRightFixed() { var _this3 = this; return this._cache('isAnyColumnsRightFixed', function () { return _this3.columns.some(function (column) { return column.fixed === 'right'; }); }); } }, { key: "leftColumns", value: function leftColumns() { var _this4 = this; return this._cache('leftColumns', function () { return _this4.groupedColumns().filter(function (column) { return column.fixed === 'left' || column.fixed === true; }); }); } }, { key: "rightColumns", value: function rightColumns() { var _this5 = this; return this._cache('rightColumns', function () { return _this5.groupedColumns().filter(function (column) { return column.fixed === 'right'; }); }); } }, { key: "leafColumns", value: function leafColumns() { var _this6 = this; return this._cache('leafColumns', function () { return _this6._leafColumns(_this6.columns); }); } }, { key: "leftLeafColumns", value: function leftLeafColumns() { var _this7 = this; return this._cache('leftLeafColumns', function () { return _this7._leafColumns(_this7.leftColumns()); }); } }, { key: "rightLeafColumns", value: function rightLeafColumns() { var _this8 = this; return this._cache('rightLeafColumns', function () { return _this8._leafColumns(_this8.rightColumns()); }); } // add appropriate rowspan and colspan to column }, { key: "groupedColumns", value: function groupedColumns() { var _this9 = this; return this._cache('groupedColumns', function () { var _groupColumns = function _groupColumns(columns) { var currentRow = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0; var parentColumn = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; var rows = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : []; /* eslint-disable no-param-reassign */ // track how many rows we got rows[currentRow] = rows[currentRow] || []; var grouped = []; var setRowSpan = function setRowSpan(column) { var rowSpan = rows.length - currentRow; if (column && !column.children && // parent columns are supposed to be one row rowSpan > 1 && (!column.rowSpan || column.rowSpan < rowSpan)) { column.rowSpan = rowSpan; } }; columns.forEach(function (column, index) { var newColumn = _objectSpread({}, column); rows[currentRow].push(newColumn); parentColumn.colSpan = parentColumn.colSpan || 0; if (newColumn.children && newColumn.children.length > 0) { newColumn.children = _groupColumns(newColumn.children, currentRow + 1, newColumn, rows); parentColumn.colSpan += newColumn.colSpan; } else { parentColumn.colSpan += 1; } // update rowspan to all same row columns for (var i = 0; i < rows[currentRow].length - 1; i += 1) { setRowSpan(rows[currentRow][i]); } // last column, update rowspan immediately if (index + 1 === columns.length) { setRowSpan(newColumn); } grouped.push(newColumn); }); return grouped; /* eslint-enable no-param-reassign */ }; return _groupColumns(_this9.columns); }); } }, { key: "normalize", value: function normalize(elements) { var _this10 = this; var columns = []; __WEBPACK_IMPORTED_MODULE_0_react__["Children"].forEach(elements, function (element) { if (!__WEBPACK_IMPORTED_MODULE_0_react__["isValidElement"](element)) { return; } var column = _objectSpread({}, element.props); if (element.key) { column.key = element.key; } if (element.type.isTableColumnGroup) { column.children = _this10.normalize(column.children); } columns.push(column); }); return columns; } }, { key: "reset", value: function reset(columns, elements) { this.columns = columns || this.normalize(elements); this._cached = {}; } }, { key: "_cache", value: function _cache(name, fn) { if (name in this._cached) { return this._cached[name]; } this._cached[name] = fn(); return this._cached[name]; } }, { key: "_leafColumns", value: function _leafColumns(columns) { var _this11 = this; var leafColumns = []; columns.forEach(function (column) { if (!column.children) { leafColumns.push(column); } else { leafColumns.push.apply(leafColumns, _toConsumableArray(_this11._leafColumns(column.children))); } }); return leafColumns; } }]); return ColumnManager; }(); /* eslint-enable */ /***/ }), /***/ 1247: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = HeadTable; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__utils__ = __webpack_require__(839); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__BaseTable__ = __webpack_require__(1049); function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function HeadTable(props, _ref) { var table = _ref.table; var _table$props = table.props, prefixCls = _table$props.prefixCls, scroll = _table$props.scroll, showHeader = _table$props.showHeader; var columns = props.columns, fixed = props.fixed, tableClassName = props.tableClassName, handleBodyScrollLeft = props.handleBodyScrollLeft, expander = props.expander; var saveRef = table.saveRef; var useFixedHeader = table.props.useFixedHeader; var headStyle = {}; var scrollbarWidth = Object(__WEBPACK_IMPORTED_MODULE_3__utils__["d" /* measureScrollbar */])({ direction: 'vertical' }); if (scroll.y) { useFixedHeader = true; // https://github.com/ant-design/ant-design/issues/17051 var scrollbarWidthOfHeader = Object(__WEBPACK_IMPORTED_MODULE_3__utils__["d" /* measureScrollbar */])({ direction: 'horizontal', prefixCls: prefixCls }); // Add negative margin bottom for scroll bar overflow bug if (scrollbarWidthOfHeader > 0 && !fixed) { headStyle.marginBottom = "-".concat(scrollbarWidthOfHeader, "px"); headStyle.paddingBottom = '0px'; // https://github.com/ant-design/ant-design/pull/19986 headStyle.minWidth = "".concat(scrollbarWidth, "px"); // https://github.com/ant-design/ant-design/issues/17051 headStyle.overflowX = 'scroll'; headStyle.overflowY = scrollbarWidth === 0 ? 'hidden' : 'scroll'; } } if (!useFixedHeader || !showHeader) { return null; } return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { key: "headTable", ref: fixed ? null : saveRef('headTable'), className: __WEBPACK_IMPORTED_MODULE_2_classnames___default()("".concat(prefixCls, "-header"), _defineProperty({}, "".concat(prefixCls, "-hide-scrollbar"), scrollbarWidth > 0)), style: headStyle, onScroll: handleBodyScrollLeft }, __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_4__BaseTable__["a" /* default */], { tableClassName: tableClassName, hasHead: true, hasBody: false, fixed: fixed, columns: columns, expander: expander })); } HeadTable.contextTypes = { table: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"] }; /***/ }), /***/ 1248: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__utils__ = __webpack_require__(839); var ColGroup = function ColGroup(props, _ref) { var table = _ref.table; var _table$props = table.props, prefixCls = _table$props.prefixCls, expandIconAsCell = _table$props.expandIconAsCell; var fixed = props.fixed; var cols = []; if (expandIconAsCell && fixed !== 'right') { cols.push(__WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("col", { className: "".concat(prefixCls, "-expand-icon-col"), key: "rc-table-expand-icon-col" })); } var leafColumns; if (fixed === 'left') { leafColumns = table.columnManager.leftLeafColumns(); } else if (fixed === 'right') { leafColumns = table.columnManager.rightLeafColumns(); } else { leafColumns = table.columnManager.leafColumns(); } cols = cols.concat(leafColumns.map(function (_ref2) { var key = _ref2.key, dataIndex = _ref2.dataIndex, width = _ref2.width, additionalProps = _ref2[__WEBPACK_IMPORTED_MODULE_2__utils__["a" /* INTERNAL_COL_DEFINE */]]; var mergedKey = key !== undefined ? key : dataIndex; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("col", Object.assign({ key: mergedKey, style: { width: width, minWidth: width } }, additionalProps)); })); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("colgroup", null, cols); }; ColGroup.contextTypes = { table: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"] }; /* harmony default export */ __webpack_exports__["a"] = (ColGroup); /***/ }), /***/ 1249: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__TableHeaderRow__ = __webpack_require__(1250); function getHeaderRows(_ref) { var _ref$columns = _ref.columns, columns = _ref$columns === void 0 ? [] : _ref$columns, _ref$currentRow = _ref.currentRow, currentRow = _ref$currentRow === void 0 ? 0 : _ref$currentRow, _ref$rows = _ref.rows, rows = _ref$rows === void 0 ? [] : _ref$rows, _ref$isLast = _ref.isLast, isLast = _ref$isLast === void 0 ? true : _ref$isLast; // eslint-disable-next-line no-param-reassign rows[currentRow] = rows[currentRow] || []; columns.forEach(function (column, i) { if (column.rowSpan && rows.length < column.rowSpan) { while (rows.length < column.rowSpan) { rows.push([]); } } var cellIsLast = isLast && i === columns.length - 1; var cell = { key: column.key, className: column.className || '', children: column.title, isLast: cellIsLast, column: column }; if (column.children) { getHeaderRows({ columns: column.children, currentRow: currentRow + 1, rows: rows, isLast: cellIsLast }); } if ('colSpan' in column) { cell.colSpan = column.colSpan; } if ('rowSpan' in column) { cell.rowSpan = column.rowSpan; } if (cell.colSpan !== 0) { rows[currentRow].push(cell); } }); return rows.filter(function (row) { return row.length > 0; }); } var TableHeader = function TableHeader(props, _ref2) { var table = _ref2.table; var components = table.components; var _table$props = table.props, prefixCls = _table$props.prefixCls, showHeader = _table$props.showHeader, onHeaderRow = _table$props.onHeaderRow; var expander = props.expander, columns = props.columns, fixed = props.fixed; if (!showHeader) { return null; } var rows = getHeaderRows({ columns: columns }); expander.renderExpandIndentCell(rows, fixed); var HeaderWrapper = components.header.wrapper; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](HeaderWrapper, { className: "".concat(prefixCls, "-thead") }, rows.map(function (row, index) { return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_2__TableHeaderRow__["a" /* default */], { prefixCls: prefixCls, key: index, index: index, fixed: fixed, columns: columns, rows: rows, row: row, components: components, onHeaderRow: onHeaderRow }); })); }; TableHeader.contextTypes = { table: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"] }; /* harmony default export */ __webpack_exports__["a"] = (TableHeader); /***/ }), /***/ 1250: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_mini_store__ = __webpack_require__(86); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_mini_store___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_mini_store__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_classnames__); function _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i < sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) >= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; } function _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i < sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) >= 0) continue; target[key] = source[key]; } return target; } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function TableHeaderRow(_ref) { var row = _ref.row, index = _ref.index, height = _ref.height, components = _ref.components, onHeaderRow = _ref.onHeaderRow, prefixCls = _ref.prefixCls; var HeaderRow = components.header.row; var HeaderCell = components.header.cell; var rowProps = onHeaderRow(row.map(function (cell) { return cell.column; }), index); var customStyle = rowProps ? rowProps.style : {}; var style = _objectSpread({ height: height }, customStyle); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](HeaderRow, Object.assign({}, rowProps, { style: style }), row.map(function (cell, i) { var _classNames; var column = cell.column, isLast = cell.isLast, cellProps = _objectWithoutProperties(cell, ["column", "isLast"]); var customProps = column.onHeaderCell ? column.onHeaderCell(column) : {}; if (column.align) { customProps.style = _objectSpread({}, customProps.style, { textAlign: column.align }); } customProps.className = __WEBPACK_IMPORTED_MODULE_2_classnames___default()(customProps.className, column.className, (_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-align-").concat(column.align), !!column.align), _defineProperty(_classNames, "".concat(prefixCls, "-row-cell-ellipsis"), !!column.ellipsis), _defineProperty(_classNames, "".concat(prefixCls, "-row-cell-break-word"), !!column.width), _defineProperty(_classNames, "".concat(prefixCls, "-row-cell-last"), isLast), _classNames)); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](HeaderCell, Object.assign({}, cellProps, customProps, { key: column.key || column.dataIndex || i })); })); } function getRowHeight(state, props) { var fixedColumnsHeadRowsHeight = state.fixedColumnsHeadRowsHeight; var columns = props.columns, rows = props.rows, fixed = props.fixed; var headerHeight = fixedColumnsHeadRowsHeight[0]; if (!fixed) { return null; } if (headerHeight && columns) { if (headerHeight === 'auto') { return 'auto'; } return headerHeight / rows.length; } return null; } /* harmony default export */ __webpack_exports__["a"] = (Object(__WEBPACK_IMPORTED_MODULE_1_mini_store__["connect"])(function (state, props) { return { height: getRowHeight(state, props) }; })(TableHeaderRow)); /***/ }), /***/ 1251: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return TableCell; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_lodash_get__ = __webpack_require__(843); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_lodash_get___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_lodash_get__); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } function isInvalidRenderCellText(text) { return text && !__WEBPACK_IMPORTED_MODULE_0_react__["isValidElement"](text) && Object.prototype.toString.call(text) === '[object Object]'; } var TableCell = /*#__PURE__*/ function (_React$Component) { _inherits(TableCell, _React$Component); function TableCell() { var _this; _classCallCheck(this, TableCell); _this = _possibleConstructorReturn(this, _getPrototypeOf(TableCell).apply(this, arguments)); _this.handleClick = function (e) { var _this$props = _this.props, record = _this$props.record, onCellClick = _this$props.column.onCellClick; if (onCellClick) { onCellClick(record, e); } }; return _this; } _createClass(TableCell, [{ key: "render", value: function render() { var _classNames; var _this$props2 = this.props, record = _this$props2.record, indentSize = _this$props2.indentSize, prefixCls = _this$props2.prefixCls, indent = _this$props2.indent, index = _this$props2.index, expandIcon = _this$props2.expandIcon, column = _this$props2.column, BodyCell = _this$props2.component; var dataIndex = column.dataIndex, render = column.render, _column$className = column.className, className = _column$className === void 0 ? '' : _column$className; // We should return undefined if no dataIndex is specified, but in order to // be compatible with object-path's behavior, we return the record object instead. var text; if (typeof dataIndex === 'number') { text = __WEBPACK_IMPORTED_MODULE_2_lodash_get___default()(record, dataIndex); } else if (!dataIndex || dataIndex.length === 0) { text = record; } else { text = __WEBPACK_IMPORTED_MODULE_2_lodash_get___default()(record, dataIndex); } var tdProps = {}; var colSpan; var rowSpan; if (render) { text = render(text, record, index); // `render` support cell with additional config like `props` if (isInvalidRenderCellText(text)) { tdProps = text.props || tdProps; var _tdProps = tdProps; colSpan = _tdProps.colSpan; rowSpan = _tdProps.rowSpan; text = text.children; } } if (column.onCell) { tdProps = _objectSpread({}, tdProps, {}, column.onCell(record, index)); } // Fix https://github.com/ant-design/ant-design/issues/1202 if (isInvalidRenderCellText(text)) { text = null; } var indentText = expandIcon ? __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("span", { style: { paddingLeft: "".concat(indentSize * indent, "px") }, className: "".concat(prefixCls, "-indent indent-level-").concat(indent) }) : null; if (rowSpan === 0 || colSpan === 0) { return null; } if (column.align) { tdProps.style = _objectSpread({ textAlign: column.align }, tdProps.style); } var cellClassName = __WEBPACK_IMPORTED_MODULE_1_classnames___default()(className, (_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-cell-ellipsis"), !!column.ellipsis), _defineProperty(_classNames, "".concat(prefixCls, "-cell-break-word"), !!column.width), _classNames)); if (column.ellipsis) { if (typeof text === 'string') { tdProps.title = text; } else if (text) { var _text = text, textProps = _text.props; if (textProps && textProps.children && typeof textProps.children === 'string') { tdProps.title = textProps.children; } } } return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](BodyCell, Object.assign({ className: cellClassName, onClick: this.handleClick }, tdProps), indentText, expandIcon, text); } }]); return TableCell; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); /***/ }), /***/ 1252: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_mini_store__ = __webpack_require__(86); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_mini_store___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_mini_store__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__ExpandIcon__ = __webpack_require__(1253); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var ExpandableRow = /*#__PURE__*/ function (_React$Component) { _inherits(ExpandableRow, _React$Component); function ExpandableRow() { var _this; _classCallCheck(this, ExpandableRow); _this = _possibleConstructorReturn(this, _getPrototypeOf(ExpandableRow).apply(this, arguments)); // Show icon within first column _this.hasExpandIcon = function (columnIndex) { var _this$props = _this.props, expandRowByClick = _this$props.expandRowByClick, expandIcon = _this$props.expandIcon; if (_this.expandIconAsCell || columnIndex !== _this.expandIconColumnIndex) { return false; } return !!expandIcon || !expandRowByClick; }; _this.handleExpandChange = function (record, event) { var _this$props2 = _this.props, onExpandedChange = _this$props2.onExpandedChange, expanded = _this$props2.expanded, rowKey = _this$props2.rowKey; if (_this.expandable) { onExpandedChange(!expanded, record, event, rowKey); } }; _this.handleRowClick = function (record, index, event) { var _this$props3 = _this.props, expandRowByClick = _this$props3.expandRowByClick, onRowClick = _this$props3.onRowClick; if (expandRowByClick) { _this.handleExpandChange(record, event); } if (onRowClick) { onRowClick(record, index, event); } }; _this.renderExpandIcon = function () { var _this$props4 = _this.props, prefixCls = _this$props4.prefixCls, expanded = _this$props4.expanded, record = _this$props4.record, needIndentSpaced = _this$props4.needIndentSpaced, expandIcon = _this$props4.expandIcon; if (expandIcon) { return expandIcon({ prefixCls: prefixCls, expanded: expanded, record: record, needIndentSpaced: needIndentSpaced, expandable: _this.expandable, onExpand: _this.handleExpandChange }); } return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_2__ExpandIcon__["a" /* default */], { expandable: _this.expandable, prefixCls: prefixCls, onExpand: _this.handleExpandChange, needIndentSpaced: needIndentSpaced, expanded: expanded, record: record }); }; _this.renderExpandIconCell = function (cells) { if (!_this.expandIconAsCell) { return; } var prefixCls = _this.props.prefixCls; cells.push(__WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("td", { className: "".concat(prefixCls, "-expand-icon-cell"), key: "rc-table-expand-icon-cell" }, _this.renderExpandIcon())); }; return _this; } _createClass(ExpandableRow, [{ key: "componentWillUnmount", value: function componentWillUnmount() { this.handleDestroy(); } }, { key: "handleDestroy", value: function handleDestroy() { var _this$props5 = this.props, onExpandedChange = _this$props5.onExpandedChange, rowKey = _this$props5.rowKey, record = _this$props5.record; if (this.expandable) { onExpandedChange(false, record, null, rowKey, true); } } }, { key: "render", value: function render() { var _this$props6 = this.props, childrenColumnName = _this$props6.childrenColumnName, expandedRowRender = _this$props6.expandedRowRender, indentSize = _this$props6.indentSize, record = _this$props6.record, fixed = _this$props6.fixed, expanded = _this$props6.expanded; this.expandIconAsCell = fixed !== 'right' ? this.props.expandIconAsCell : false; this.expandIconColumnIndex = fixed !== 'right' ? this.props.expandIconColumnIndex : -1; var childrenData = record[childrenColumnName]; this.expandable = !!(childrenData || expandedRowRender); var expandableRowProps = { indentSize: indentSize, // not used in TableRow, but it's required to re-render TableRow when `expanded` changes expanded: expanded, onRowClick: this.handleRowClick, hasExpandIcon: this.hasExpandIcon, renderExpandIcon: this.renderExpandIcon, renderExpandIconCell: this.renderExpandIconCell }; return this.props.children(expandableRowProps); } }]); return ExpandableRow; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); /* harmony default export */ __webpack_exports__["a"] = (Object(__WEBPACK_IMPORTED_MODULE_1_mini_store__["connect"])(function (_ref, _ref2) { var expandedRowKeys = _ref.expandedRowKeys; var rowKey = _ref2.rowKey; return { expanded: expandedRowKeys.includes(rowKey) }; })(ExpandableRow)); /***/ }), /***/ 1253: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ExpandIcon; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_shallowequal__ = __webpack_require__(56); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_shallowequal___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_shallowequal__); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var ExpandIcon = /*#__PURE__*/ function (_React$Component) { _inherits(ExpandIcon, _React$Component); function ExpandIcon() { _classCallCheck(this, ExpandIcon); return _possibleConstructorReturn(this, _getPrototypeOf(ExpandIcon).apply(this, arguments)); } _createClass(ExpandIcon, [{ key: "shouldComponentUpdate", value: function shouldComponentUpdate(nextProps) { return !__WEBPACK_IMPORTED_MODULE_1_shallowequal___default()(nextProps, this.props); } }, { key: "render", value: function render() { var _this$props = this.props, expandable = _this$props.expandable, prefixCls = _this$props.prefixCls, onExpand = _this$props.onExpand, needIndentSpaced = _this$props.needIndentSpaced, expanded = _this$props.expanded, record = _this$props.record; if (expandable) { var expandClassName = expanded ? 'expanded' : 'collapsed'; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("span", { className: "".concat(prefixCls, "-expand-icon ").concat(prefixCls, "-").concat(expandClassName), onClick: function onClick(e) { return onExpand(record, e); } }); } if (needIndentSpaced) { return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("span", { className: "".concat(prefixCls, "-expand-icon ").concat(prefixCls, "-spaced") }); } return null; } }]); return ExpandIcon; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); /***/ }), /***/ 1254: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = BodyTable; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__utils__ = __webpack_require__(839); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__BaseTable__ = __webpack_require__(1049); function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function BodyTable(props, _ref) { var table = _ref.table; var _table$props = table.props, prefixCls = _table$props.prefixCls, scroll = _table$props.scroll; var columns = props.columns, fixed = props.fixed, tableClassName = props.tableClassName, getRowKey = props.getRowKey, handleBodyScroll = props.handleBodyScroll, handleWheel = props.handleWheel, expander = props.expander, isAnyColumnsFixed = props.isAnyColumnsFixed; var saveRef = table.saveRef; var useFixedHeader = table.props.useFixedHeader; var bodyStyle = _objectSpread({}, table.props.bodyStyle); var innerBodyStyle = {}; if (scroll.x || fixed) { bodyStyle.overflowX = bodyStyle.overflowX || 'scroll'; // Fix weird webkit render bug // https://github.com/ant-design/ant-design/issues/7783 bodyStyle.WebkitTransform = 'translate3d (0, 0, 0)'; } if (scroll.y) { // maxHeight will make fixed-Table scrolling not working // so we only set maxHeight to body-Table here if (fixed) { innerBodyStyle.maxHeight = bodyStyle.maxHeight || scroll.y; innerBodyStyle.overflowY = bodyStyle.overflowY || 'scroll'; } else { bodyStyle.maxHeight = bodyStyle.maxHeight || scroll.y; } bodyStyle.overflowY = bodyStyle.overflowY || 'scroll'; useFixedHeader = true; // Add negative margin bottom for scroll bar overflow bug var scrollbarWidth = Object(__WEBPACK_IMPORTED_MODULE_2__utils__["d" /* measureScrollbar */])({ direction: 'vertical' }); if (scrollbarWidth > 0 && fixed) { bodyStyle.marginBottom = "-".concat(scrollbarWidth, "px"); bodyStyle.paddingBottom = '0px'; } } var baseTable = __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_3__BaseTable__["a" /* default */], { tableClassName: tableClassName, hasHead: !useFixedHeader, hasBody: true, fixed: fixed, columns: columns, expander: expander, getRowKey: getRowKey, isAnyColumnsFixed: isAnyColumnsFixed }); if (fixed && columns.length) { var refName; if (columns[0].fixed === 'left' || columns[0].fixed === true) { refName = 'fixedColumnsBodyLeft'; } else if (columns[0].fixed === 'right') { refName = 'fixedColumnsBodyRight'; } delete bodyStyle.overflowX; delete bodyStyle.overflowY; return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { key: "bodyTable", className: "".concat(prefixCls, "-body-outer"), style: _objectSpread({}, bodyStyle) }, __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { className: "".concat(prefixCls, "-body-inner"), style: innerBodyStyle, ref: saveRef(refName), onWheel: handleWheel, onScroll: handleBodyScroll }, baseTable)); } // Should provides `tabIndex` if use scroll to enable keyboard scroll var useTabIndex = scroll && (scroll.x || scroll.y); return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"]("div", { tabIndex: useTabIndex ? -1 : undefined, key: "bodyTable", className: "".concat(prefixCls, "-body"), style: bodyStyle, ref: saveRef('bodyTable'), onWheel: handleWheel, onScroll: handleBodyScroll }, baseTable); } BodyTable.contextTypes = { table: __WEBPACK_IMPORTED_MODULE_1_prop_types__["any"] }; /***/ }), /***/ 1255: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_mini_store__ = __webpack_require__(86); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_mini_store___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_mini_store__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react_lifecycles_compat__ = __webpack_require__(7); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_shallowequal__ = __webpack_require__(56); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_shallowequal___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_shallowequal__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__TableRow__ = __webpack_require__(1050); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__utils__ = __webpack_require__(839); function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _nonIterableSpread(); } function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance"); } function _iterableToArray(iter) { if (Symbol.iterator in Object(iter) || Object.prototype.toString.call(iter) === "[object Arguments]") return Array.from(iter); } function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = new Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var ExpandableTable = /*#__PURE__*/ function (_React$Component) { _inherits(ExpandableTable, _React$Component); function ExpandableTable(props) { var _this; _classCallCheck(this, ExpandableTable); _this = _possibleConstructorReturn(this, _getPrototypeOf(ExpandableTable).call(this, props)); _this.handleExpandChange = function (expanded, record, event, rowKey) { var destroy = arguments.length > 4 && arguments[4] !== undefined ? arguments[4] : false; if (event) { event.stopPropagation(); } var _this$props = _this.props, onExpandedRowsChange = _this$props.onExpandedRowsChange, onExpand = _this$props.onExpand; var _this$store$getState = _this.store.getState(), expandedRowKeys = _this$store$getState.expandedRowKeys; if (expanded) { // row was expanded expandedRowKeys = [].concat(_toConsumableArray(expandedRowKeys), [rowKey]); } else { // row was collapse var expandedRowIndex = expandedRowKeys.indexOf(rowKey); if (expandedRowIndex !== -1) { expandedRowKeys = Object(__WEBPACK_IMPORTED_MODULE_5__utils__["e" /* remove */])(expandedRowKeys, rowKey); } } if (!_this.props.expandedRowKeys) { _this.store.setState({ expandedRowKeys: expandedRowKeys }); } // De-dup of repeat call if (!_this.latestExpandedRows || !__WEBPACK_IMPORTED_MODULE_3_shallowequal___default()(_this.latestExpandedRows, expandedRowKeys)) { _this.latestExpandedRows = expandedRowKeys; onExpandedRowsChange(expandedRowKeys); } if (!destroy) { onExpand(expanded, record); } }; _this.renderExpandIndentCell = function (rows, fixed) { var _this$props2 = _this.props, prefixCls = _this$props2.prefixCls, expandIconAsCell = _this$props2.expandIconAsCell; if (!expandIconAsCell || fixed === 'right' || !rows.length) { return; } var iconColumn = { key: 'rc-table-expand-icon-cell', className: "".concat(prefixCls, "-expand-icon-th"), title: '', rowSpan: rows.length }; rows[0].unshift(_objectSpread({}, iconColumn, { column: iconColumn })); }; _this.renderRows = function (renderRows, rows, record, index, indent, fixed, parentKey, ancestorKeys) { var _this$props3 = _this.props, expandedRowClassName = _this$props3.expandedRowClassName, expandedRowRender = _this$props3.expandedRowRender, childrenColumnName = _this$props3.childrenColumnName; var childrenData = record[childrenColumnName]; var nextAncestorKeys = [].concat(_toConsumableArray(ancestorKeys), [parentKey]); var nextIndent = indent + 1; if (expandedRowRender) { rows.push(_this.renderExpandedRow(record, index, expandedRowRender, expandedRowClassName(record, index, indent), nextAncestorKeys, nextIndent, fixed)); } if (childrenData) { rows.push.apply(rows, _toConsumableArray(renderRows(childrenData, nextIndent, nextAncestorKeys))); } }; var data = props.data, childrenColumnName = props.childrenColumnName, defaultExpandAllRows = props.defaultExpandAllRows, expandedRowKeys = props.expandedRowKeys, defaultExpandedRowKeys = props.defaultExpandedRowKeys, getRowKey = props.getRowKey; var finalExpandedRowKeys = []; var rows = _toConsumableArray(data); if (defaultExpandAllRows) { for (var i = 0; i < rows.length; i += 1) { var row = rows[i]; finalExpandedRowKeys.push(getRowKey(row, i)); rows = rows.concat(row[childrenColumnName] || []); } } else { finalExpandedRowKeys = expandedRowKeys || defaultExpandedRowKeys; } _this.columnManager = props.columnManager; _this.store = props.store; _this.store.setState({ expandedRowsHeight: {}, expandedRowKeys: finalExpandedRowKeys }); return _this; } _createClass(ExpandableTable, [{ key: "componentDidMount", value: function componentDidMount() { this.handleUpdated(); } }, { key: "componentDidUpdate", value: function componentDidUpdate() { if ('expandedRowKeys' in this.props) { this.store.setState({ expandedRowKeys: this.props.expandedRowKeys }); } this.handleUpdated(); } }, { key: "handleUpdated", value: function handleUpdated() { /** * We should record latest expanded rows to avoid * multiple rows remove cause `onExpandedRowsChange` trigger many times */ this.latestExpandedRows = null; } }, { key: "renderExpandedRow", value: function renderExpandedRow(record, index, _render, className, ancestorKeys, indent, fixed) { var _this2 = this; var _this$props4 = this.props, prefixCls = _this$props4.prefixCls, expandIconAsCell = _this$props4.expandIconAsCell, indentSize = _this$props4.indentSize; var parentKey = ancestorKeys[ancestorKeys.length - 1]; var rowKey = "".concat(parentKey, "-extra-row"); var components = { body: { row: 'tr', cell: 'td' } }; var colCount; if (fixed === 'left') { colCount = this.columnManager.leftLeafColumns().length; } else if (fixed === 'right') { colCount = this.columnManager.rightLeafColumns().length; } else { colCount = this.columnManager.leafColumns().length; } var columns = [{ key: 'extra-row', render: function render() { var _this2$store$getState = _this2.store.getState(), expandedRowKeys = _this2$store$getState.expandedRowKeys; var expanded = expandedRowKeys.includes(parentKey); return { props: { colSpan: colCount }, children: fixed !== 'right' ? _render(record, index, indent, expanded) : ' ' }; } }]; if (expandIconAsCell && fixed !== 'right') { columns.unshift({ key: 'expand-icon-placeholder', render: function render() { return null; } }); } return __WEBPACK_IMPORTED_MODULE_0_react__["createElement"](__WEBPACK_IMPORTED_MODULE_4__TableRow__["a" /* default */], { key: rowKey, columns: columns, className: className, rowKey: rowKey, ancestorKeys: ancestorKeys, prefixCls: "".concat(prefixCls, "-expanded-row"), indentSize: indentSize, indent: indent, fixed: fixed, components: components, expandedRow: true }); } }, { key: "render", value: function render() { var _this$props5 = this.props, data = _this$props5.data, childrenColumnName = _this$props5.childrenColumnName, children = _this$props5.children; var needIndentSpaced = data.some(function (record) { return record[childrenColumnName]; }); return children({ props: this.props, needIndentSpaced: needIndentSpaced, renderRows: this.renderRows, handleExpandChange: this.handleExpandChange, renderExpandIndentCell: this.renderExpandIndentCell }); } }]); return ExpandableTable; }(__WEBPACK_IMPORTED_MODULE_0_react__["Component"]); ExpandableTable.defaultProps = { expandIconAsCell: false, expandedRowClassName: function expandedRowClassName() { return ''; }, expandIconColumnIndex: 0, defaultExpandAllRows: false, defaultExpandedRowKeys: [], childrenColumnName: 'children', indentSize: 15, onExpand: function onExpand() {}, onExpandedRowsChange: function onExpandedRowsChange() {} }; Object(__WEBPACK_IMPORTED_MODULE_2_react_lifecycles_compat__["polyfill"])(ExpandableTable); /* harmony default export */ __webpack_exports__["a"] = (Object(__WEBPACK_IMPORTED_MODULE_1_mini_store__["connect"])()(ExpandableTable)); /***/ }), /***/ 1256: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var ReactDOM = _interopRequireWildcard(__webpack_require__(4)); var _reactLifecyclesCompat = __webpack_require__(7); var _rcMenu = _interopRequireWildcard(__webpack_require__(167)); var _domClosest = _interopRequireDefault(__webpack_require__(1257)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _shallowequal = _interopRequireDefault(__webpack_require__(56)); var _dropdown = _interopRequireDefault(__webpack_require__(920)); var _icon = _interopRequireDefault(__webpack_require__(25)); var _checkbox = _interopRequireDefault(__webpack_require__(292)); var _radio = _interopRequireDefault(__webpack_require__(168)); var _FilterDropdownMenuWrapper = _interopRequireDefault(__webpack_require__(1259)); var _util = __webpack_require__(1053); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } function stopPropagation(e) { e.stopPropagation(); if (e.nativeEvent.stopImmediatePropagation) { e.nativeEvent.stopImmediatePropagation(); } } var FilterMenu = /*#__PURE__*/ function (_React$Component) { _inherits(FilterMenu, _React$Component); function FilterMenu(props) { var _this; _classCallCheck(this, FilterMenu); _this = _possibleConstructorReturn(this, _getPrototypeOf(FilterMenu).call(this, props)); _this.setNeverShown = function (column) { var rootNode = ReactDOM.findDOMNode(_assertThisInitialized(_this)); var filterBelongToScrollBody = !!(0, _domClosest["default"])(rootNode, ".ant-table-scroll"); if (filterBelongToScrollBody) { // When fixed column have filters, there will be two dropdown menus // Filter dropdown menu inside scroll body should never be shown // To fix https://github.com/ant-design/ant-design/issues/5010 and // https://github.com/ant-design/ant-design/issues/7909 _this.neverShown = !!column.fixed; } }; _this.setSelectedKeys = function (_ref) { var selectedKeys = _ref.selectedKeys; _this.setState({ selectedKeys: selectedKeys }); }; _this.handleClearFilters = function () { _this.setState({ selectedKeys: [] }, _this.handleConfirm); }; _this.handleConfirm = function () { _this.setVisible(false); // Call `setSelectedKeys` & `confirm` in the same time will make filter data not up to date // https://github.com/ant-design/ant-design/issues/12284 _this.setState({}, _this.confirmFilter); }; _this.onVisibleChange = function (visible) { _this.setVisible(visible); var column = _this.props.column; // https://github.com/ant-design/ant-design/issues/17833 if (!visible && !(column.filterDropdown instanceof Function)) { _this.confirmFilter(); } }; _this.handleMenuItemClick = function (info) { var selectedKeys = _this.state.selectedKeys; if (!info.keyPath || info.keyPath.length <= 1) { return; } var keyPathOfSelectedItem = _this.state.keyPathOfSelectedItem; if (selectedKeys && selectedKeys.indexOf(info.key) >= 0) { // deselect SubMenu child delete keyPathOfSelectedItem[info.key]; } else { // select SubMenu child keyPathOfSelectedItem[info.key] = info.keyPath; } _this.setState({ keyPathOfSelectedItem: keyPathOfSelectedItem }); }; _this.renderFilterIcon = function () { var _classNames; var _this$props = _this.props, column = _this$props.column, locale = _this$props.locale, prefixCls = _this$props.prefixCls, selectedKeys = _this$props.selectedKeys; var filtered = selectedKeys && selectedKeys.length > 0; var filterIcon = column.filterIcon; if (typeof filterIcon === 'function') { filterIcon = filterIcon(filtered); } var dropdownIconClass = (0, _classnames["default"])((_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-selected"), filtered), _defineProperty(_classNames, "".concat(prefixCls, "-open"), _this.getDropdownVisible()), _classNames)); if (!filterIcon) { return React.createElement(_icon["default"], { title: locale.filterTitle, type: "filter", theme: "filled", className: dropdownIconClass, onClick: stopPropagation }); } if (React.isValidElement(filterIcon)) { return React.cloneElement(filterIcon, { title: filterIcon.props.title || locale.filterTitle, className: (0, _classnames["default"])("".concat(prefixCls, "-icon"), dropdownIconClass, filterIcon.props.className), onClick: stopPropagation }); } return React.createElement("span", { className: (0, _classnames["default"])("".concat(prefixCls, "-icon"), dropdownIconClass) }, filterIcon); }; var visible = 'filterDropdownVisible' in props.column ? props.column.filterDropdownVisible : false; _this.state = { selectedKeys: props.selectedKeys, valueKeys: (0, _util.generateValueMaps)(props.column.filters), keyPathOfSelectedItem: {}, visible: visible, prevProps: props }; return _this; } _createClass(FilterMenu, [{ key: "componentDidMount", value: function componentDidMount() { var column = this.props.column; this.setNeverShown(column); } }, { key: "componentDidUpdate", value: function componentDidUpdate() { var column = this.props.column; this.setNeverShown(column); } }, { key: "getDropdownVisible", value: function getDropdownVisible() { return this.neverShown ? false : this.state.visible; } }, { key: "setVisible", value: function setVisible(visible) { var column = this.props.column; if (!('filterDropdownVisible' in column)) { this.setState({ visible: visible }); } if (column.onFilterDropdownVisibleChange) { column.onFilterDropdownVisibleChange(visible); } } }, { key: "hasSubMenu", value: function hasSubMenu() { var _this$props$column$fi = this.props.column.filters, filters = _this$props$column$fi === void 0 ? [] : _this$props$column$fi; return filters.some(function (item) { return !!(item.children && item.children.length > 0); }); } }, { key: "confirmFilter", value: function confirmFilter() { var _this$props2 = this.props, column = _this$props2.column, propSelectedKeys = _this$props2.selectedKeys, confirmFilter = _this$props2.confirmFilter; var _this$state = this.state, selectedKeys = _this$state.selectedKeys, valueKeys = _this$state.valueKeys; var filterDropdown = column.filterDropdown; if (!(0, _shallowequal["default"])(selectedKeys, propSelectedKeys)) { confirmFilter(column, filterDropdown ? selectedKeys : selectedKeys.map(function (key) { return valueKeys[key]; }).filter(function (key) { return key !== undefined; })); } } }, { key: "renderMenus", value: function renderMenus(items) { var _this2 = this; var _this$props3 = this.props, dropdownPrefixCls = _this$props3.dropdownPrefixCls, prefixCls = _this$props3.prefixCls; return items.map(function (item) { if (item.children && item.children.length > 0) { var keyPathOfSelectedItem = _this2.state.keyPathOfSelectedItem; var containSelected = Object.keys(keyPathOfSelectedItem).some(function (key) { return keyPathOfSelectedItem[key].indexOf(item.value) >= 0; }); var subMenuCls = (0, _classnames["default"])("".concat(prefixCls, "-dropdown-submenu"), _defineProperty({}, "".concat(dropdownPrefixCls, "-submenu-contain-selected"), containSelected)); return React.createElement(_rcMenu.SubMenu, { title: item.text, popupClassName: subMenuCls, key: item.value.toString() }, _this2.renderMenus(item.children)); } return _this2.renderMenuItem(item); }); } }, { key: "renderMenuItem", value: function renderMenuItem(item) { var column = this.props.column; var selectedKeys = this.state.selectedKeys; var multiple = 'filterMultiple' in column ? column.filterMultiple : true; // We still need trade key as string since Menu render need string var internalSelectedKeys = (selectedKeys || []).map(function (key) { return key.toString(); }); var input = multiple ? React.createElement(_checkbox["default"], { checked: internalSelectedKeys.indexOf(item.value.toString()) >= 0 }) : React.createElement(_radio["default"], { checked: internalSelectedKeys.indexOf(item.value.toString()) >= 0 }); return React.createElement(_rcMenu.Item, { key: item.value }, input, React.createElement("span", null, item.text)); } }, { key: "render", value: function render() { var _this3 = this; var originSelectedKeys = this.state.selectedKeys; var _this$props4 = this.props, column = _this$props4.column, locale = _this$props4.locale, prefixCls = _this$props4.prefixCls, dropdownPrefixCls = _this$props4.dropdownPrefixCls, getPopupContainer = _this$props4.getPopupContainer; // default multiple selection in filter dropdown var multiple = 'filterMultiple' in column ? column.filterMultiple : true; var dropdownMenuClass = (0, _classnames["default"])(_defineProperty({}, "".concat(dropdownPrefixCls, "-menu-without-submenu"), !this.hasSubMenu())); var filterDropdown = column.filterDropdown; if (filterDropdown instanceof Function) { filterDropdown = filterDropdown({ prefixCls: "".concat(dropdownPrefixCls, "-custom"), setSelectedKeys: function setSelectedKeys(selectedKeys) { return _this3.setSelectedKeys({ selectedKeys: selectedKeys }); }, selectedKeys: originSelectedKeys, confirm: this.handleConfirm, clearFilters: this.handleClearFilters, filters: column.filters, visible: this.getDropdownVisible() }); } var menus = filterDropdown ? React.createElement(_FilterDropdownMenuWrapper["default"], { className: "".concat(prefixCls, "-dropdown") }, filterDropdown) : React.createElement(_FilterDropdownMenuWrapper["default"], { className: "".concat(prefixCls, "-dropdown") }, React.createElement(_rcMenu["default"], { multiple: multiple, onClick: this.handleMenuItemClick, prefixCls: "".concat(dropdownPrefixCls, "-menu"), className: dropdownMenuClass, onSelect: this.setSelectedKeys, onDeselect: this.setSelectedKeys, selectedKeys: originSelectedKeys && originSelectedKeys.map(function (val) { return val.toString(); }), getPopupContainer: getPopupContainer }, this.renderMenus(column.filters)), React.createElement("div", { className: "".concat(prefixCls, "-dropdown-btns") }, React.createElement("a", { className: "".concat(prefixCls, "-dropdown-link confirm"), onClick: this.handleConfirm }, locale.filterConfirm), React.createElement("a", { className: "".concat(prefixCls, "-dropdown-link clear"), onClick: this.handleClearFilters }, locale.filterReset))); return React.createElement(_dropdown["default"], { trigger: ['click'], placement: "bottomRight", overlay: menus, visible: this.getDropdownVisible(), onVisibleChange: this.onVisibleChange, getPopupContainer: getPopupContainer, forceRender: true }, this.renderFilterIcon()); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(nextProps, prevState) { var column = nextProps.column; var prevProps = prevState.prevProps; var newState = { prevProps: nextProps }; /** * if the state is visible the component should ignore updates on selectedKeys prop to avoid * that the user selection is lost * this happens frequently when a table is connected on some sort of realtime data * Fixes https://github.com/ant-design/ant-design/issues/10289 and * https://github.com/ant-design/ant-design/issues/10209 */ if ('selectedKeys' in nextProps && !(0, _shallowequal["default"])(prevProps.selectedKeys, nextProps.selectedKeys)) { newState.selectedKeys = nextProps.selectedKeys; } if (!(0, _shallowequal["default"])((prevProps.column || {}).filters, (nextProps.column || {}).filters)) { newState.valueKeys = (0, _util.generateValueMaps)(nextProps.column.filters); } if ('filterDropdownVisible' in column) { newState.visible = column.filterDropdownVisible; } return newState; } }]); return FilterMenu; }(React.Component); FilterMenu.defaultProps = { column: {} }; (0, _reactLifecyclesCompat.polyfill)(FilterMenu); var _default = FilterMenu; exports["default"] = _default; //# sourceMappingURL=filterDropdown.js.map /***/ }), /***/ 1257: /***/ (function(module, exports, __webpack_require__) { /** * Module dependencies */ var matches = __webpack_require__(1258); /** * @param element {Element} * @param selector {String} * @param context {Element} * @return {Element} */ module.exports = function (element, selector, context) { context = context || document; // guard against orphans element = { parentNode: element }; while ((element = element.parentNode) && element !== context) { if (matches(element, selector)) { return element; } } }; /***/ }), /***/ 1258: /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Determine if a DOM element matches a CSS selector * * @param {Element} elem * @param {String} selector * @return {Boolean} * @api public */ function matches(elem, selector) { // Vendor-specific implementations of `Element.prototype.matches()`. var proto = window.Element.prototype; var nativeMatches = proto.matches || proto.mozMatchesSelector || proto.msMatchesSelector || proto.oMatchesSelector || proto.webkitMatchesSelector; if (!elem || elem.nodeType !== 1) { return false; } var parentElem = elem.parentNode; // use native 'matches' if (nativeMatches) { return nativeMatches.call(elem, selector); } // native support for `matches` is missing and a fallback is required var nodes = parentElem.querySelectorAll(selector); var len = nodes.length; for (var i = 0; i < len; i++) { if (nodes[i] === elem) { return true; } } return false; } /** * Expose `matches` */ module.exports = matches; /***/ }), /***/ 1259: /***/ (function(module, exports, __webpack_require__) { "use strict"; function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } var FilterDropdownMenuWrapper = function FilterDropdownMenuWrapper(props) { return React.createElement("div", { className: props.className, onClick: function onClick(e) { return e.stopPropagation(); } }, props.children); }; var _default = FilterDropdownMenuWrapper; exports["default"] = _default; //# sourceMappingURL=FilterDropdownMenuWrapper.js.map /***/ }), /***/ 1260: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = createStore; function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function createStore(initialState) { var state = initialState; var listeners = []; function setState(partial) { state = _extends(_extends({}, state), partial); for (var i = 0; i < listeners.length; i++) { listeners[i](); } } function getState() { return state; } function subscribe(listener) { listeners.push(listener); return function unsubscribe() { var index = listeners.indexOf(listener); listeners.splice(index, 1); }; } return { setState: setState, getState: getState, subscribe: subscribe }; } //# sourceMappingURL=createStore.js.map /***/ }), /***/ 1261: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _checkbox = _interopRequireDefault(__webpack_require__(292)); var _radio = _interopRequireDefault(__webpack_require__(168)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; var SelectionBox = /*#__PURE__*/ function (_React$Component) { _inherits(SelectionBox, _React$Component); function SelectionBox(props) { var _this; _classCallCheck(this, SelectionBox); _this = _possibleConstructorReturn(this, _getPrototypeOf(SelectionBox).call(this, props)); _this.state = { checked: _this.getCheckState(props) }; return _this; } _createClass(SelectionBox, [{ key: "componentDidMount", value: function componentDidMount() { this.subscribe(); } }, { key: "componentWillUnmount", value: function componentWillUnmount() { if (this.unsubscribe) { this.unsubscribe(); } } // eslint-disable-next-line class-methods-use-this }, { key: "getCheckState", value: function getCheckState(props) { var store = props.store, defaultSelection = props.defaultSelection, rowIndex = props.rowIndex; var checked = false; if (store.getState().selectionDirty) { checked = store.getState().selectedRowKeys.indexOf(rowIndex) >= 0; } else { checked = store.getState().selectedRowKeys.indexOf(rowIndex) >= 0 || defaultSelection.indexOf(rowIndex) >= 0; } return checked; } }, { key: "subscribe", value: function subscribe() { var _this2 = this; var store = this.props.store; this.unsubscribe = store.subscribe(function () { var checked = _this2.getCheckState(_this2.props); _this2.setState({ checked: checked }); }); } }, { key: "render", value: function render() { var _a = this.props, type = _a.type, rowIndex = _a.rowIndex, rest = __rest(_a, ["type", "rowIndex"]); var checked = this.state.checked; if (type === 'radio') { return React.createElement(_radio["default"], _extends({ checked: checked, value: rowIndex }, rest)); } return React.createElement(_checkbox["default"], _extends({ checked: checked }, rest)); } }]); return SelectionBox; }(React.Component); exports["default"] = SelectionBox; //# sourceMappingURL=SelectionBox.js.map /***/ }), /***/ 1262: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _reactLifecyclesCompat = __webpack_require__(7); var _checkbox = _interopRequireDefault(__webpack_require__(292)); var _dropdown = _interopRequireDefault(__webpack_require__(920)); var _menu = _interopRequireDefault(__webpack_require__(862)); var _icon = _interopRequireDefault(__webpack_require__(25)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function checkSelection(_ref) { var store = _ref.store, getCheckboxPropsByItem = _ref.getCheckboxPropsByItem, getRecordKey = _ref.getRecordKey, data = _ref.data, type = _ref.type, byDefaultChecked = _ref.byDefaultChecked; return byDefaultChecked ? data[type](function (item, i) { return getCheckboxPropsByItem(item, i).defaultChecked; }) : data[type](function (item, i) { return store.getState().selectedRowKeys.indexOf(getRecordKey(item, i)) >= 0; }); } function getIndeterminateState(props) { var store = props.store, data = props.data; if (!data.length) { return false; } var someCheckedNotByDefaultChecked = checkSelection(_extends(_extends({}, props), { data: data, type: 'some', byDefaultChecked: false })) && !checkSelection(_extends(_extends({}, props), { data: data, type: 'every', byDefaultChecked: false })); var someCheckedByDefaultChecked = checkSelection(_extends(_extends({}, props), { data: data, type: 'some', byDefaultChecked: true })) && !checkSelection(_extends(_extends({}, props), { data: data, type: 'every', byDefaultChecked: true })); if (store.getState().selectionDirty) { return someCheckedNotByDefaultChecked; } return someCheckedNotByDefaultChecked || someCheckedByDefaultChecked; } function getCheckState(props) { var store = props.store, data = props.data; if (!data.length) { return false; } if (store.getState().selectionDirty) { return checkSelection(_extends(_extends({}, props), { data: data, type: 'every', byDefaultChecked: false })); } return checkSelection(_extends(_extends({}, props), { data: data, type: 'every', byDefaultChecked: false })) || checkSelection(_extends(_extends({}, props), { data: data, type: 'every', byDefaultChecked: true })); } var SelectionCheckboxAll = /*#__PURE__*/ function (_React$Component) { _inherits(SelectionCheckboxAll, _React$Component); function SelectionCheckboxAll(props) { var _this; _classCallCheck(this, SelectionCheckboxAll); _this = _possibleConstructorReturn(this, _getPrototypeOf(SelectionCheckboxAll).call(this, props)); _this.state = { checked: false, indeterminate: false }; _this.handleSelectAllChange = function (e) { var checked = e.target.checked; _this.props.onSelect(checked ? 'all' : 'removeAll', 0, null); }; _this.defaultSelections = props.hideDefaultSelections ? [] : [{ key: 'all', text: props.locale.selectAll }, { key: 'invert', text: props.locale.selectInvert }]; return _this; } _createClass(SelectionCheckboxAll, [{ key: "componentDidMount", value: function componentDidMount() { this.subscribe(); } }, { key: "componentWillUnmount", value: function componentWillUnmount() { if (this.unsubscribe) { this.unsubscribe(); } } }, { key: "setCheckState", value: function setCheckState(props) { var checked = getCheckState(props); var indeterminate = getIndeterminateState(props); this.setState(function (prevState) { var newState = {}; if (indeterminate !== prevState.indeterminate) { newState.indeterminate = indeterminate; } if (checked !== prevState.checked) { newState.checked = checked; } return newState; }); } }, { key: "subscribe", value: function subscribe() { var _this2 = this; var store = this.props.store; this.unsubscribe = store.subscribe(function () { _this2.setCheckState(_this2.props); }); } }, { key: "renderMenus", value: function renderMenus(selections) { var _this3 = this; return selections.map(function (selection, index) { return React.createElement(_menu["default"].Item, { key: selection.key || index }, React.createElement("div", { onClick: function onClick() { _this3.props.onSelect(selection.key, index, selection.onSelect); } }, selection.text)); }); } }, { key: "render", value: function render() { var _this$props = this.props, disabled = _this$props.disabled, prefixCls = _this$props.prefixCls, selections = _this$props.selections, getPopupContainer = _this$props.getPopupContainer; var _this$state = this.state, checked = _this$state.checked, indeterminate = _this$state.indeterminate; var selectionPrefixCls = "".concat(prefixCls, "-selection"); var customSelections = null; if (selections) { var newSelections = Array.isArray(selections) ? this.defaultSelections.concat(selections) : this.defaultSelections; var menu = React.createElement(_menu["default"], { className: "".concat(selectionPrefixCls, "-menu"), selectedKeys: [] }, this.renderMenus(newSelections)); customSelections = newSelections.length > 0 ? React.createElement(_dropdown["default"], { overlay: menu, getPopupContainer: getPopupContainer }, React.createElement("div", { className: "".concat(selectionPrefixCls, "-down") }, React.createElement(_icon["default"], { type: "down" }))) : null; } return React.createElement("div", { className: selectionPrefixCls }, React.createElement(_checkbox["default"], { className: (0, _classnames["default"])(_defineProperty({}, "".concat(selectionPrefixCls, "-select-all-custom"), customSelections)), checked: checked, indeterminate: indeterminate, disabled: disabled, onChange: this.handleSelectAllChange }), customSelections); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(props, state) { var checked = getCheckState(props); var indeterminate = getIndeterminateState(props); var newState = {}; if (indeterminate !== state.indeterminate) { newState.indeterminate = indeterminate; } if (checked !== state.checked) { newState.checked = checked; } return newState; } }]); return SelectionCheckboxAll; }(React.Component); (0, _reactLifecyclesCompat.polyfill)(SelectionCheckboxAll); var _default = SelectionCheckboxAll; exports["default"] = _default; //# sourceMappingURL=SelectionCheckboxAll.js.map /***/ }), /***/ 1263: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } /* eslint-disable react/prefer-stateless-function */ var Column = /*#__PURE__*/ function (_React$Component) { _inherits(Column, _React$Component); function Column() { _classCallCheck(this, Column); return _possibleConstructorReturn(this, _getPrototypeOf(Column).apply(this, arguments)); } return Column; }(React.Component); exports["default"] = Column; //# sourceMappingURL=Column.js.map /***/ }), /***/ 1264: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var ColumnGroup = /*#__PURE__*/ function (_React$Component) { _inherits(ColumnGroup, _React$Component); function ColumnGroup() { _classCallCheck(this, ColumnGroup); return _possibleConstructorReturn(this, _getPrototypeOf(ColumnGroup).apply(this, arguments)); } return ColumnGroup; }(React.Component); exports["default"] = ColumnGroup; ColumnGroup.__ANT_TABLE_COLUMN_GROUP = true; //# sourceMappingURL=ColumnGroup.js.map /***/ }), /***/ 1265: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = createBodyRow; var React = _interopRequireWildcard(__webpack_require__(0)); var _classnames2 = _interopRequireDefault(__webpack_require__(3)); var _omit = _interopRequireDefault(__webpack_require__(43)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } function createBodyRow() { var Component = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 'tr'; var BodyRow = /*#__PURE__*/ function (_React$Component) { _inherits(BodyRow, _React$Component); function BodyRow(props) { var _this; _classCallCheck(this, BodyRow); _this = _possibleConstructorReturn(this, _getPrototypeOf(BodyRow).call(this, props)); _this.store = props.store; var _this$store$getState = _this.store.getState(), selectedRowKeys = _this$store$getState.selectedRowKeys; _this.state = { selected: selectedRowKeys.indexOf(props.rowKey) >= 0 }; return _this; } _createClass(BodyRow, [{ key: "componentDidMount", value: function componentDidMount() { this.subscribe(); } }, { key: "componentWillUnmount", value: function componentWillUnmount() { if (this.unsubscribe) { this.unsubscribe(); } } }, { key: "subscribe", value: function subscribe() { var _this2 = this; var _this$props = this.props, store = _this$props.store, rowKey = _this$props.rowKey; this.unsubscribe = store.subscribe(function () { var _this2$store$getState = _this2.store.getState(), selectedRowKeys = _this2$store$getState.selectedRowKeys; var selected = selectedRowKeys.indexOf(rowKey) >= 0; if (selected !== _this2.state.selected) { _this2.setState({ selected: selected }); } }); } }, { key: "render", value: function render() { var rowProps = (0, _omit["default"])(this.props, ['prefixCls', 'rowKey', 'store']); var className = (0, _classnames2["default"])(this.props.className, _defineProperty({}, "".concat(this.props.prefixCls, "-row-selected"), this.state.selected)); return React.createElement(Component, _extends(_extends({}, rowProps), { className: className }), this.props.children); } }]); return BodyRow; }(React.Component); return BodyRow; } //# sourceMappingURL=createBodyRow.js.map /***/ }), /***/ 1266: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = scrollTo; var _raf = _interopRequireDefault(__webpack_require__(90)); var _getScroll = _interopRequireDefault(__webpack_require__(1267)); var _easings = __webpack_require__(1268); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function scrollTo(y) { var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var _options$getContainer = options.getContainer, getContainer = _options$getContainer === void 0 ? function () { return window; } : _options$getContainer, callback = options.callback, _options$duration = options.duration, duration = _options$duration === void 0 ? 450 : _options$duration; var container = getContainer(); var scrollTop = (0, _getScroll["default"])(container, true); var startTime = Date.now(); var frameFunc = function frameFunc() { var timestamp = Date.now(); var time = timestamp - startTime; var nextScrollTop = (0, _easings.easeInOutCubic)(time > duration ? duration : time, scrollTop, y, duration); if (container === window) { window.scrollTo(window.pageXOffset, nextScrollTop); } else { container.scrollTop = nextScrollTop; } if (time < duration) { (0, _raf["default"])(frameFunc); } else if (typeof callback === 'function') { callback(); } }; (0, _raf["default"])(frameFunc); } //# sourceMappingURL=scrollTo.js.map /***/ }), /***/ 1267: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = getScroll; function getScroll(target, top) { if (typeof window === 'undefined') { return 0; } var prop = top ? 'pageYOffset' : 'pageXOffset'; var method = top ? 'scrollTop' : 'scrollLeft'; var isWindow = target === window; var ret = isWindow ? target[prop] : target[method]; // ie6,7,8 standard mode if (isWindow && typeof ret !== 'number') { ret = document.documentElement[method]; } return ret; } //# sourceMappingURL=getScroll.js.map /***/ }), /***/ 1268: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.easeInOutCubic = easeInOutCubic; // eslint-disable-next-line import/prefer-default-export function easeInOutCubic(t, b, c, d) { var cc = c - b; t /= d / 2; if (t < 1) { return cc / 2 * t * t * t + b; } return cc / 2 * ((t -= 2) * t * t + 2) + b; } //# sourceMappingURL=easings.js.map /***/ }), /***/ 1269: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _KeyCode = _interopRequireDefault(__webpack_require__(302)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; /** * Wrap of sub component which need use as Button capacity (like Icon component). * This helps accessibility reader to tread as a interactive button to operation. */ var inlineStyle = { border: 0, background: 'transparent', padding: 0, lineHeight: 'inherit', display: 'inline-block' }; var TransButton = /*#__PURE__*/ function (_React$Component) { _inherits(TransButton, _React$Component); function TransButton() { var _this; _classCallCheck(this, TransButton); _this = _possibleConstructorReturn(this, _getPrototypeOf(TransButton).apply(this, arguments)); _this.onKeyDown = function (event) { var keyCode = event.keyCode; if (keyCode === _KeyCode["default"].ENTER) { event.preventDefault(); } }; _this.onKeyUp = function (event) { var keyCode = event.keyCode; var onClick = _this.props.onClick; if (keyCode === _KeyCode["default"].ENTER && onClick) { onClick(); } }; _this.setRef = function (btn) { _this.div = btn; }; return _this; } _createClass(TransButton, [{ key: "focus", value: function focus() { if (this.div) { this.div.focus(); } } }, { key: "blur", value: function blur() { if (this.div) { this.div.blur(); } } }, { key: "render", value: function render() { var _a = this.props, style = _a.style, noStyle = _a.noStyle, restProps = __rest(_a, ["style", "noStyle"]); return React.createElement("div", _extends({ role: "button", tabIndex: 0, ref: this.setRef }, restProps, { onKeyDown: this.onKeyDown, onKeyUp: this.onKeyUp, style: _extends(_extends({}, !noStyle ? inlineStyle : null), style) })); } }]); return TransButton; }(React.Component); var _default = TransButton; exports["default"] = _default; //# sourceMappingURL=transButton.js.map /***/ }), /***/ 1271: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ICommandService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CommandsRegistry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_linkedList_js__ = __webpack_require__(1679); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ICommandService = Object(__WEBPACK_IMPORTED_MODULE_2__instantiation_common_instantiation_js__["c" /* createDecorator */])('commandService'); var CommandsRegistry = new /** @class */ (function () { function class_1() { this._commands = new Map(); this._onDidRegisterCommand = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); this.onDidRegisterCommand = this._onDidRegisterCommand.event; } class_1.prototype.registerCommand = function (idOrCommand, handler) { var _this = this; if (!idOrCommand) { throw new Error("invalid command"); } if (typeof idOrCommand === 'string') { if (!handler) { throw new Error("invalid command"); } return this.registerCommand({ id: idOrCommand, handler: handler }); } // add argument validation if rich command metadata is provided if (idOrCommand.description) { var constraints_1 = []; for (var _i = 0, _a = idOrCommand.description.args; _i < _a.length; _i++) { var arg = _a[_i]; constraints_1.push(arg.constraint); } var actualHandler_1 = idOrCommand.handler; idOrCommand.handler = function (accessor) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } Object(__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["l" /* validateConstraints */])(args, constraints_1); return actualHandler_1.apply(void 0, [accessor].concat(args)); }; } // find a place to store the command var id = idOrCommand.id; var commands = this._commands.get(id); if (!commands) { commands = new __WEBPACK_IMPORTED_MODULE_4__base_common_linkedList_js__["a" /* LinkedList */](); this._commands.set(id, commands); } var removeFn = commands.unshift(idOrCommand); var ret = Object(__WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__["e" /* toDisposable */])(function () { removeFn(); var command = _this._commands.get(id); if (command && command.isEmpty()) { _this._commands.delete(id); } }); // tell the world about this command this._onDidRegisterCommand.fire(id); return ret; }; class_1.prototype.registerCommandAlias = function (oldId, newId) { return CommandsRegistry.registerCommand(oldId, function (accessor) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } var _a; return (_a = accessor.get(ICommandService)).executeCommand.apply(_a, [newId].concat(args)); }); }; class_1.prototype.getCommand = function (id) { var list = this._commands.get(id); if (!list || list.isEmpty()) { return undefined; } return list.iterator().next().value; }; class_1.prototype.getCommands = function () { var _this = this; var result = Object.create(null); this._commands.forEach(function (value, key) { result[key] = _this.getCommand(key); }); return result; }; return class_1; }()); /***/ }), /***/ 1272: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return editorLineHighlight; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return editorLineHighlightBorder; }); /* unused harmony export editorRangeHighlight */ /* unused harmony export editorRangeHighlightBorder */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return editorCursorForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return editorCursorBackground; }); /* unused harmony export editorWhitespaces */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return editorIndentGuides; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return editorActiveIndentGuides; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return editorLineNumbers; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return editorActiveLineNumber; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "p", function() { return editorRuler; }); /* unused harmony export editorCodeLensForeground */ /* unused harmony export editorBracketMatchBackground */ /* unused harmony export editorBracketMatchBorder */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "o", function() { return editorOverviewRulerBorder; }); /* unused harmony export editorGutter */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return editorErrorForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return editorErrorBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "t", function() { return editorWarningForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "s", function() { return editorWarningBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return editorInfoForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return editorInfoBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return editorHintForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return editorHintBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "q", function() { return editorUnnecessaryCodeBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "r", function() { return editorUnnecessaryCodeOpacity; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "u", function() { return overviewRulerError; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "w", function() { return overviewRulerWarning; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "v", function() { return overviewRulerInfo; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__ = __webpack_require__(1331); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Definition of the editor colors */ var editorLineHighlight = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editor.lineHighlightBackground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineHighlight', 'Background color for the highlight of line at the cursor position.')); var editorLineHighlightBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editor.lineHighlightBorder', { dark: '#282828', light: '#eeeeee', hc: '#f38518' }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineHighlightBorderBox', 'Background color for the border around the line at the cursor position.')); var editorRangeHighlight = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editor.rangeHighlightBackground', { dark: '#ffffff0b', light: '#fdff0033', hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('rangeHighlight', 'Background color of highlighted ranges, like by quick open and find features. The color must not be opaque so as not to hide underlying decorations.'), true); var editorRangeHighlightBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editor.rangeHighlightBorder', { dark: null, light: null, hc: __WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["b" /* activeContrastBorder */] }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('rangeHighlightBorder', 'Background color of the border around highlighted ranges.'), true); var editorCursorForeground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorCursor.foreground', { dark: '#AEAFAD', light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('caret', 'Color of the editor cursor.')); var editorCursorBackground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorCursor.background', null, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorCursorBackground', 'The background color of the editor cursor. Allows customizing the color of a character overlapped by a block cursor.')); var editorWhitespaces = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorWhitespace.foreground', { dark: '#e3e4e229', light: '#33333333', hc: '#e3e4e229' }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorWhitespaces', 'Color of whitespace characters in the editor.')); var editorIndentGuides = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorIndentGuide.background', { dark: editorWhitespaces, light: editorWhitespaces, hc: editorWhitespaces }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorIndentGuides', 'Color of the editor indentation guides.')); var editorActiveIndentGuides = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorIndentGuide.activeBackground', { dark: editorWhitespaces, light: editorWhitespaces, hc: editorWhitespaces }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorActiveIndentGuide', 'Color of the active editor indentation guides.')); var editorLineNumbers = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorLineNumber.foreground', { dark: '#858585', light: '#237893', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorLineNumbers', 'Color of editor line numbers.')); var deprecatedEditorActiveLineNumber = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorActiveLineNumber.foreground', { dark: '#c6c6c6', light: '#0B216F', hc: __WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["b" /* activeContrastBorder */] }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorActiveLineNumber', 'Color of editor active line number'), false, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('deprecatedEditorActiveLineNumber', 'Id is deprecated. Use \'editorLineNumber.activeForeground\' instead.')); var editorActiveLineNumber = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorLineNumber.activeForeground', { dark: deprecatedEditorActiveLineNumber, light: deprecatedEditorActiveLineNumber, hc: deprecatedEditorActiveLineNumber }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorActiveLineNumber', 'Color of editor active line number')); var editorRuler = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorRuler.foreground', { dark: '#5A5A5A', light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].lightgrey, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorRuler', 'Color of the editor rulers.')); var editorCodeLensForeground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorCodeLens.foreground', { dark: '#999999', light: '#999999', hc: '#999999' }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorCodeLensForeground', 'Foreground color of editor code lenses')); var editorBracketMatchBackground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorBracketMatch.background', { dark: '#0064001a', light: '#0064001a', hc: '#0064001a' }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorBracketMatchBackground', 'Background color behind matching brackets')); var editorBracketMatchBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorBracketMatch.border', { dark: '#888', light: '#B9B9B9', hc: '#fff' }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorBracketMatchBorder', 'Color for matching brackets boxes')); var editorOverviewRulerBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorOverviewRuler.border', { dark: '#7f7f7f4d', light: '#7f7f7f4d', hc: '#7f7f7f4d' }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorOverviewRulerBorder', 'Color of the overview ruler border.')); var editorGutter = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorGutter.background', { dark: __WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["n" /* editorBackground */], light: __WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["n" /* editorBackground */], hc: __WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["n" /* editorBackground */] }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorGutter', 'Background color of the editor gutter. The gutter contains the glyph margins and the line numbers.')); var editorErrorForeground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorError.foreground', { dark: '#ea4646', light: '#d60a0a', hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('errorForeground', 'Foreground color of error squigglies in the editor.')); var editorErrorBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorError.border', { dark: null, light: null, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#E47777').transparent(0.8) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('errorBorder', 'Border color of error squigglies in the editor.')); var editorWarningForeground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorWarning.foreground', { dark: '#4d9e4d', light: '#117711', hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('warningForeground', 'Foreground color of warning squigglies in the editor.')); var editorWarningBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorWarning.border', { dark: null, light: null, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#71B771').transparent(0.8) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('warningBorder', 'Border color of warning squigglies in the editor.')); var editorInfoForeground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorInfo.foreground', { dark: '#008000', light: '#008000', hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('infoForeground', 'Foreground color of info squigglies in the editor.')); var editorInfoBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorInfo.border', { dark: null, light: null, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#71B771').transparent(0.8) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('infoBorder', 'Border color of info squigglies in the editor.')); var editorHintForeground = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorHint.foreground', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#eeeeee').transparent(0.7), light: '#6c6c6c', hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('hintForeground', 'Foreground color of hint squigglies in the editor.')); var editorHintBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorHint.border', { dark: null, light: null, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#eeeeee').transparent(0.8) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('hintBorder', 'Border color of hint squigglies in the editor.')); var editorUnnecessaryCodeBorder = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorUnnecessaryCode.border', { dark: null, light: null, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#fff').transparent(0.8) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('unnecessaryCodeBorder', 'Border color of unnecessary (unused) source code in the editor.')); var editorUnnecessaryCodeOpacity = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorUnnecessaryCode.opacity', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#000a'), light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#0007'), hc: null }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('unnecessaryCodeOpacity', 'Opacity of unnecessary (unused) source code in the editor. For example, "#000000c0" will render the code with 75% opacity. For high contrast themes, use the \'editorUnnecessaryCode.border\' theme color to underline unnecessary code instead of fading it out.')); var overviewRulerError = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorOverviewRuler.errorForeground', { dark: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](255, 18, 18, 0.7)), light: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](255, 18, 18, 0.7)), hc: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](255, 50, 50, 1)) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('overviewRuleError', 'Overview ruler marker color for errors.')); var overviewRulerWarning = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorOverviewRuler.warningForeground', { dark: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](18, 136, 18, 0.7)), light: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](18, 136, 18, 0.7)), hc: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](50, 255, 50, 1)) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('overviewRuleWarning', 'Overview ruler marker color for warnings.')); var overviewRulerInfo = Object(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["_3" /* registerColor */])('editorOverviewRuler.infoForeground', { dark: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](18, 18, 136, 0.7)), light: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](18, 18, 136, 0.7)), hc: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](50, 50, 255, 1)) }, __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('overviewRuleInfo', 'Overview ruler marker color for infos.')); // contains all color rules that used to defined in editor/browser/widget/editor.css Object(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var background = theme.getColor(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["n" /* editorBackground */]); if (background) { collector.addRule(".monaco-editor, .monaco-editor-background, .monaco-editor .inputarea.ime-input { background-color: " + background + "; }"); } var foreground = theme.getColor(__WEBPACK_IMPORTED_MODULE_2__platform_theme_common_colorRegistry_js__["o" /* editorForeground */]); if (foreground) { collector.addRule(".monaco-editor, .monaco-editor .inputarea.ime-input { color: " + foreground + "; }"); } var gutter = theme.getColor(editorGutter); if (gutter) { collector.addRule(".monaco-editor .margin { background-color: " + gutter + "; }"); } var rangeHighlight = theme.getColor(editorRangeHighlight); if (rangeHighlight) { collector.addRule(".monaco-editor .rangeHighlight { background-color: " + rangeHighlight + "; }"); } var rangeHighlightBorder = theme.getColor(editorRangeHighlightBorder); if (rangeHighlightBorder) { collector.addRule(".monaco-editor .rangeHighlight { border: 1px " + (theme.type === 'hc' ? 'dotted' : 'solid') + " " + rangeHighlightBorder + "; }"); } var invisibles = theme.getColor(editorWhitespaces); if (invisibles) { collector.addRule(".vs-whitespace { color: " + invisibles + " !important; }"); } }); /***/ }), /***/ 1275: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1301); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1278: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return URI; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var _a; var _schemePattern = /^\w[\w\d+.-]*$/; var _singleSlashStart = /^\//; var _doubleSlashStart = /^\/\//; var _throwOnMissingSchema = true; function _validateUri(ret, _strict) { // scheme, must be set if (!ret.scheme) { if (_strict || _throwOnMissingSchema) { throw new Error("[UriError]: Scheme is missing: {scheme: \"\", authority: \"" + ret.authority + "\", path: \"" + ret.path + "\", query: \"" + ret.query + "\", fragment: \"" + ret.fragment + "\"}"); } else { console.warn("[UriError]: Scheme is missing: {scheme: \"\", authority: \"" + ret.authority + "\", path: \"" + ret.path + "\", query: \"" + ret.query + "\", fragment: \"" + ret.fragment + "\"}"); } } // scheme, https://tools.ietf.org/html/rfc3986#section-3.1 // ALPHA *( ALPHA / DIGIT / "+" / "-" / "." ) if (ret.scheme && !_schemePattern.test(ret.scheme)) { throw new Error('[UriError]: Scheme contains illegal characters.'); } // path, http://tools.ietf.org/html/rfc3986#section-3.3 // If a URI contains an authority component, then the path component // must either be empty or begin with a slash ("/") character. If a URI // does not contain an authority component, then the path cannot begin // with two slash characters ("//"). if (ret.path) { if (ret.authority) { if (!_singleSlashStart.test(ret.path)) { throw new Error('[UriError]: If a URI contains an authority component, then the path component must either be empty or begin with a slash ("/") character'); } } else { if (_doubleSlashStart.test(ret.path)) { throw new Error('[UriError]: If a URI does not contain an authority component, then the path cannot begin with two slash characters ("//")'); } } } } // implements a bit of https://tools.ietf.org/html/rfc3986#section-5 function _referenceResolution(scheme, path) { // the slash-character is our 'default base' as we don't // support constructing URIs relative to other URIs. This // also means that we alter and potentially break paths. // see https://tools.ietf.org/html/rfc3986#section-5.1.4 switch (scheme) { case 'https': case 'http': case 'file': if (!path) { path = _slash; } else if (path[0] !== _slash) { path = _slash + path; } break; } return path; } var _empty = ''; var _slash = '/'; var _regexp = /^(([^:/?#]+?):)?(\/\/([^/?#]*))?([^?#]*)(\?([^#]*))?(#(.*))?/; /** * Uniform Resource Identifier (URI) http://tools.ietf.org/html/rfc3986. * This class is a simple parser which creates the basic component parts * (http://tools.ietf.org/html/rfc3986#section-3) with minimal validation * and encoding. * * foo://example.com:8042/over/there?name=ferret#nose * \_/ \______________/\_________/ \_________/ \__/ * | | | | | * scheme authority path query fragment * | _____________________|__ * / \ / \ * urn:example:animal:ferret:nose */ var URI = /** @class */ (function () { /** * @internal */ function URI(schemeOrData, authority, path, query, fragment, _strict) { if (typeof schemeOrData === 'object') { this.scheme = schemeOrData.scheme || _empty; this.authority = schemeOrData.authority || _empty; this.path = schemeOrData.path || _empty; this.query = schemeOrData.query || _empty; this.fragment = schemeOrData.fragment || _empty; // no validation because it's this URI // that creates uri components. // _validateUri(this); } else { this.scheme = schemeOrData || _empty; this.authority = authority || _empty; this.path = _referenceResolution(this.scheme, path || _empty); this.query = query || _empty; this.fragment = fragment || _empty; _validateUri(this, _strict); } } URI.isUri = function (thing) { if (thing instanceof URI) { return true; } if (!thing) { return false; } return typeof thing.authority === 'string' && typeof thing.fragment === 'string' && typeof thing.path === 'string' && typeof thing.query === 'string' && typeof thing.scheme === 'string' && typeof thing.fsPath === 'function' && typeof thing.with === 'function' && typeof thing.toString === 'function'; }; Object.defineProperty(URI.prototype, "fsPath", { // ---- filesystem path ----------------------- /** * Returns a string representing the corresponding file system path of this URI. * Will handle UNC paths, normalizes windows drive letters to lower-case, and uses the * platform specific path separator. * * * Will *not* validate the path for invalid characters and semantics. * * Will *not* look at the scheme of this URI. * * The result shall *not* be used for display purposes but for accessing a file on disk. * * * The *difference* to `URI#path` is the use of the platform specific separator and the handling * of UNC paths. See the below sample of a file-uri with an authority (UNC path). * * ```ts const u = URI.parse('file://server/c$/folder/file.txt') u.authority === 'server' u.path === '/shares/c$/file.txt' u.fsPath === '\\server\c$\folder\file.txt' ``` * * Using `URI#path` to read a file (using fs-apis) would not be enough because parts of the path, * namely the server name, would be missing. Therefore `URI#fsPath` exists - it's sugar to ease working * with URIs that represent files on disk (`file` scheme). */ get: function () { // if (this.scheme !== 'file') { // console.warn(`[UriError] calling fsPath with scheme ${this.scheme}`); // } return _makeFsPath(this); }, enumerable: true, configurable: true }); // ---- modify to new ------------------------- URI.prototype.with = function (change) { if (!change) { return this; } var scheme = change.scheme, authority = change.authority, path = change.path, query = change.query, fragment = change.fragment; if (scheme === undefined) { scheme = this.scheme; } else if (scheme === null) { scheme = _empty; } if (authority === undefined) { authority = this.authority; } else if (authority === null) { authority = _empty; } if (path === undefined) { path = this.path; } else if (path === null) { path = _empty; } if (query === undefined) { query = this.query; } else if (query === null) { query = _empty; } if (fragment === undefined) { fragment = this.fragment; } else if (fragment === null) { fragment = _empty; } if (scheme === this.scheme && authority === this.authority && path === this.path && query === this.query && fragment === this.fragment) { return this; } return new _URI(scheme, authority, path, query, fragment); }; // ---- parse & validate ------------------------ /** * Creates a new URI from a string, e.g. `http://www.msft.com/some/path`, * `file:///usr/home`, or `scheme:with/path`. * * @param value A string which represents an URI (see `URI#toString`). */ URI.parse = function (value, _strict) { if (_strict === void 0) { _strict = false; } var match = _regexp.exec(value); if (!match) { return new _URI(_empty, _empty, _empty, _empty, _empty); } return new _URI(match[2] || _empty, decodeURIComponent(match[4] || _empty), decodeURIComponent(match[5] || _empty), decodeURIComponent(match[7] || _empty), decodeURIComponent(match[9] || _empty), _strict); }; /** * Creates a new URI from a file system path, e.g. `c:\my\files`, * `/usr/home`, or `\\server\share\some\path`. * * The *difference* between `URI#parse` and `URI#file` is that the latter treats the argument * as path, not as stringified-uri. E.g. `URI.file(path)` is **not the same as** * `URI.parse('file://' + path)` because the path might contain characters that are * interpreted (# and ?). See the following sample: * ```ts const good = URI.file('/coding/c#/project1'); good.scheme === 'file'; good.path === '/coding/c#/project1'; good.fragment === ''; const bad = URI.parse('file://' + '/coding/c#/project1'); bad.scheme === 'file'; bad.path === '/coding/c'; // path is now broken bad.fragment === '/project1'; ``` * * @param path A file system path (see `URI#fsPath`) */ URI.file = function (path) { var authority = _empty; // normalize to fwd-slashes on windows, // on other systems bwd-slashes are valid // filename character, eg /f\oo/ba\r.txt if (__WEBPACK_IMPORTED_MODULE_0__platform_js__["g" /* isWindows */]) { path = path.replace(/\\/g, _slash); } // check for authority as used in UNC shares // or use the path as given if (path[0] === _slash && path[1] === _slash) { var idx = path.indexOf(_slash, 2); if (idx === -1) { authority = path.substring(2); path = _slash; } else { authority = path.substring(2, idx); path = path.substring(idx) || _slash; } } return new _URI('file', authority, path, _empty, _empty); }; URI.from = function (components) { return new _URI(components.scheme, components.authority, components.path, components.query, components.fragment); }; // ---- printing/externalize --------------------------- /** * Creates a string representation for this URI. It's guaranteed that calling * `URI.parse` with the result of this function creates an URI which is equal * to this URI. * * * The result shall *not* be used for display purposes but for externalization or transport. * * The result will be encoded using the percentage encoding and encoding happens mostly * ignore the scheme-specific encoding rules. * * @param skipEncoding Do not encode the result, default is `false` */ URI.prototype.toString = function (skipEncoding) { if (skipEncoding === void 0) { skipEncoding = false; } return _asFormatted(this, skipEncoding); }; URI.prototype.toJSON = function () { return this; }; URI.revive = function (data) { if (!data) { return data; } else if (data instanceof URI) { return data; } else { var result = new _URI(data); result._fsPath = data.fsPath; result._formatted = data.external; return result; } }; return URI; }()); // tslint:disable-next-line:class-name var _URI = /** @class */ (function (_super) { __extends(_URI, _super); function _URI() { var _this = _super !== null && _super.apply(this, arguments) || this; _this._formatted = null; _this._fsPath = null; return _this; } Object.defineProperty(_URI.prototype, "fsPath", { get: function () { if (!this._fsPath) { this._fsPath = _makeFsPath(this); } return this._fsPath; }, enumerable: true, configurable: true }); _URI.prototype.toString = function (skipEncoding) { if (skipEncoding === void 0) { skipEncoding = false; } if (!skipEncoding) { if (!this._formatted) { this._formatted = _asFormatted(this, false); } return this._formatted; } else { // we don't cache that return _asFormatted(this, true); } }; _URI.prototype.toJSON = function () { var res = { $mid: 1 }; // cached state if (this._fsPath) { res.fsPath = this._fsPath; } if (this._formatted) { res.external = this._formatted; } // uri components if (this.path) { res.path = this.path; } if (this.scheme) { res.scheme = this.scheme; } if (this.authority) { res.authority = this.authority; } if (this.query) { res.query = this.query; } if (this.fragment) { res.fragment = this.fragment; } return res; }; return _URI; }(URI)); // reserved characters: https://tools.ietf.org/html/rfc3986#section-2.2 var encodeTable = (_a = {}, _a[58 /* Colon */] = '%3A', _a[47 /* Slash */] = '%2F', _a[63 /* QuestionMark */] = '%3F', _a[35 /* Hash */] = '%23', _a[91 /* OpenSquareBracket */] = '%5B', _a[93 /* CloseSquareBracket */] = '%5D', _a[64 /* AtSign */] = '%40', _a[33 /* ExclamationMark */] = '%21', _a[36 /* DollarSign */] = '%24', _a[38 /* Ampersand */] = '%26', _a[39 /* SingleQuote */] = '%27', _a[40 /* OpenParen */] = '%28', _a[41 /* CloseParen */] = '%29', _a[42 /* Asterisk */] = '%2A', _a[43 /* Plus */] = '%2B', _a[44 /* Comma */] = '%2C', _a[59 /* Semicolon */] = '%3B', _a[61 /* Equals */] = '%3D', _a[32 /* Space */] = '%20', _a); function encodeURIComponentFast(uriComponent, allowSlash) { var res = undefined; var nativeEncodePos = -1; for (var pos = 0; pos < uriComponent.length; pos++) { var code = uriComponent.charCodeAt(pos); // unreserved characters: https://tools.ietf.org/html/rfc3986#section-2.3 if ((code >= 97 /* a */ && code <= 122 /* z */) || (code >= 65 /* A */ && code <= 90 /* Z */) || (code >= 48 /* Digit0 */ && code <= 57 /* Digit9 */) || code === 45 /* Dash */ || code === 46 /* Period */ || code === 95 /* Underline */ || code === 126 /* Tilde */ || (allowSlash && code === 47 /* Slash */)) { // check if we are delaying native encode if (nativeEncodePos !== -1) { res += encodeURIComponent(uriComponent.substring(nativeEncodePos, pos)); nativeEncodePos = -1; } // check if we write into a new string (by default we try to return the param) if (res !== undefined) { res += uriComponent.charAt(pos); } } else { // encoding needed, we need to allocate a new string if (res === undefined) { res = uriComponent.substr(0, pos); } // check with default table first var escaped = encodeTable[code]; if (escaped !== undefined) { // check if we are delaying native encode if (nativeEncodePos !== -1) { res += encodeURIComponent(uriComponent.substring(nativeEncodePos, pos)); nativeEncodePos = -1; } // append escaped variant to result res += escaped; } else if (nativeEncodePos === -1) { // use native encode only when needed nativeEncodePos = pos; } } } if (nativeEncodePos !== -1) { res += encodeURIComponent(uriComponent.substring(nativeEncodePos)); } return res !== undefined ? res : uriComponent; } function encodeURIComponentMinimal(path) { var res = undefined; for (var pos = 0; pos < path.length; pos++) { var code = path.charCodeAt(pos); if (code === 35 /* Hash */ || code === 63 /* QuestionMark */) { if (res === undefined) { res = path.substr(0, pos); } res += encodeTable[code]; } else { if (res !== undefined) { res += path[pos]; } } } return res !== undefined ? res : path; } /** * Compute `fsPath` for the given uri */ function _makeFsPath(uri) { var value; if (uri.authority && uri.path.length > 1 && uri.scheme === 'file') { // unc path: file://shares/c$/far/boo value = "//" + uri.authority + uri.path; } else if (uri.path.charCodeAt(0) === 47 /* Slash */ && (uri.path.charCodeAt(1) >= 65 /* A */ && uri.path.charCodeAt(1) <= 90 /* Z */ || uri.path.charCodeAt(1) >= 97 /* a */ && uri.path.charCodeAt(1) <= 122 /* z */) && uri.path.charCodeAt(2) === 58 /* Colon */) { // windows drive letter: file:///c:/far/boo value = uri.path[1].toLowerCase() + uri.path.substr(2); } else { // other path value = uri.path; } if (__WEBPACK_IMPORTED_MODULE_0__platform_js__["g" /* isWindows */]) { value = value.replace(/\//g, '\\'); } return value; } /** * Create the external version of a uri */ function _asFormatted(uri, skipEncoding) { var encoder = !skipEncoding ? encodeURIComponentFast : encodeURIComponentMinimal; var res = ''; var scheme = uri.scheme, authority = uri.authority, path = uri.path, query = uri.query, fragment = uri.fragment; if (scheme) { res += scheme; res += ':'; } if (authority || scheme === 'file') { res += _slash; res += _slash; } if (authority) { var idx = authority.indexOf('@'); if (idx !== -1) { // <user>@<auth> var userinfo = authority.substr(0, idx); authority = authority.substr(idx + 1); idx = userinfo.indexOf(':'); if (idx === -1) { res += encoder(userinfo, false); } else { // <user>:<pass>@<auth> res += encoder(userinfo.substr(0, idx), false); res += ':'; res += encoder(userinfo.substr(idx + 1), false); } res += '@'; } authority = authority.toLowerCase(); idx = authority.indexOf(':'); if (idx === -1) { res += encoder(authority, false); } else { // <auth>:<port> res += encoder(authority.substr(0, idx), false); res += authority.substr(idx); } } if (path) { // lower-case windows drive letters in /C:/fff or C:/fff if (path.length >= 3 && path.charCodeAt(0) === 47 /* Slash */ && path.charCodeAt(2) === 58 /* Colon */) { var code = path.charCodeAt(1); if (code >= 65 /* A */ && code <= 90 /* Z */) { path = "/" + String.fromCharCode(code + 32) + ":" + path.substr(3); // "/c:".length === 3 } } else if (path.length >= 2 && path.charCodeAt(1) === 58 /* Colon */) { var code = path.charCodeAt(0); if (code >= 65 /* A */ && code <= 90 /* Z */) { path = String.fromCharCode(code + 32) + ":" + path.substr(2); // "/c:".length === 3 } } // encode the rest of the path res += encoder(path, true); } if (query) { res += '?'; res += encoder(query, false); } if (fragment) { res += '#'; res += !skipEncoding ? encodeURIComponentFast(fragment, false) : fragment; } return res; } /***/ }), /***/ 1279: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StandardMouseEvent; }); /* unused harmony export DragMouseEvent */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return StandardWheelEvent; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__iframe_js__ = __webpack_require__(1680); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var StandardMouseEvent = /** @class */ (function () { function StandardMouseEvent(e) { this.timestamp = Date.now(); this.browserEvent = e; this.leftButton = e.button === 0; this.middleButton = e.button === 1; this.rightButton = e.button === 2; this.target = e.target; this.detail = e.detail || 1; if (e.type === 'dblclick') { this.detail = 2; } this.ctrlKey = e.ctrlKey; this.shiftKey = e.shiftKey; this.altKey = e.altKey; this.metaKey = e.metaKey; if (typeof e.pageX === 'number') { this.posx = e.pageX; this.posy = e.pageY; } else { // Probably hit by MSGestureEvent this.posx = e.clientX + document.body.scrollLeft + document.documentElement.scrollLeft; this.posy = e.clientY + document.body.scrollTop + document.documentElement.scrollTop; } // Find the position of the iframe this code is executing in relative to the iframe where the event was captured. var iframeOffsets = __WEBPACK_IMPORTED_MODULE_1__iframe_js__["a" /* IframeUtils */].getPositionOfChildWindowRelativeToAncestorWindow(self, e.view); this.posx -= iframeOffsets.left; this.posy -= iframeOffsets.top; } StandardMouseEvent.prototype.preventDefault = function () { if (this.browserEvent.preventDefault) { this.browserEvent.preventDefault(); } }; StandardMouseEvent.prototype.stopPropagation = function () { if (this.browserEvent.stopPropagation) { this.browserEvent.stopPropagation(); } }; return StandardMouseEvent; }()); var DragMouseEvent = /** @class */ (function (_super) { __extends(DragMouseEvent, _super); function DragMouseEvent(e) { var _this = _super.call(this, e) || this; _this.dataTransfer = e.dataTransfer; return _this; } return DragMouseEvent; }(StandardMouseEvent)); var StandardWheelEvent = /** @class */ (function () { function StandardWheelEvent(e, deltaX, deltaY) { if (deltaX === void 0) { deltaX = 0; } if (deltaY === void 0) { deltaY = 0; } this.browserEvent = e || null; this.target = e ? (e.target || e.targetNode || e.srcElement) : null; this.deltaY = deltaY; this.deltaX = deltaX; if (e) { var e1 = e; var e2 = e; // vertical delta scroll if (typeof e1.wheelDeltaY !== 'undefined') { this.deltaY = e1.wheelDeltaY / 120; } else if (typeof e2.VERTICAL_AXIS !== 'undefined' && e2.axis === e2.VERTICAL_AXIS) { this.deltaY = -e2.detail / 3; } // horizontal delta scroll if (typeof e1.wheelDeltaX !== 'undefined') { if (__WEBPACK_IMPORTED_MODULE_0__browser_js__["l" /* isSafari */] && __WEBPACK_IMPORTED_MODULE_2__common_platform_js__["g" /* isWindows */]) { this.deltaX = -(e1.wheelDeltaX / 120); } else { this.deltaX = e1.wheelDeltaX / 120; } } else if (typeof e2.HORIZONTAL_AXIS !== 'undefined' && e2.axis === e2.HORIZONTAL_AXIS) { this.deltaX = -e.detail / 3; } // Assume a vertical scroll if nothing else worked if (this.deltaY === 0 && this.deltaX === 0 && e.wheelDelta) { this.deltaY = e.wheelDelta / 120; } } } StandardWheelEvent.prototype.preventDefault = function () { if (this.browserEvent) { if (this.browserEvent.preventDefault) { this.browserEvent.preventDefault(); } } }; StandardWheelEvent.prototype.stopPropagation = function () { if (this.browserEvent) { if (this.browserEvent.stopPropagation) { this.browserEvent.stopPropagation(); } } }; return StandardWheelEvent; }()); /***/ }), /***/ 1287: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["h"] = blinkingStyleToString; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return TextEditorCursorStyle; }); /* harmony export (immutable) */ __webpack_exports__["i"] = cursorStyleToString; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return InternalEditorOptions; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return EditorOptionsValidator; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return InternalEditorOptionsFactory; }); /* unused harmony export EditorLayoutProvider */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return EDITOR_FONT_DEFAULTS; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return EDITOR_MODEL_DEFAULTS; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EDITOR_DEFAULTS; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__model_wordHelper_js__ = __webpack_require__(1440); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; /** * @internal */ function blinkingStyleToString(blinkingStyle) { if (blinkingStyle === 1 /* Blink */) { return 'blink'; } else if (blinkingStyle === 4 /* Expand */) { return 'expand'; } else if (blinkingStyle === 3 /* Phase */) { return 'phase'; } else if (blinkingStyle === 2 /* Smooth */) { return 'smooth'; } else if (blinkingStyle === 5 /* Solid */) { return 'solid'; } else { throw new Error('blinkingStyleToString: Unknown blinkingStyle'); } } /** * The style in which the editor's cursor should be rendered. */ var TextEditorCursorStyle; (function (TextEditorCursorStyle) { /** * As a vertical line (sitting between two characters). */ TextEditorCursorStyle[TextEditorCursorStyle["Line"] = 1] = "Line"; /** * As a block (sitting on top of a character). */ TextEditorCursorStyle[TextEditorCursorStyle["Block"] = 2] = "Block"; /** * As a horizontal line (sitting under a character). */ TextEditorCursorStyle[TextEditorCursorStyle["Underline"] = 3] = "Underline"; /** * As a thin vertical line (sitting between two characters). */ TextEditorCursorStyle[TextEditorCursorStyle["LineThin"] = 4] = "LineThin"; /** * As an outlined block (sitting on top of a character). */ TextEditorCursorStyle[TextEditorCursorStyle["BlockOutline"] = 5] = "BlockOutline"; /** * As a thin horizontal line (sitting under a character). */ TextEditorCursorStyle[TextEditorCursorStyle["UnderlineThin"] = 6] = "UnderlineThin"; })(TextEditorCursorStyle || (TextEditorCursorStyle = {})); /** * @internal */ function cursorStyleToString(cursorStyle) { if (cursorStyle === TextEditorCursorStyle.Line) { return 'line'; } else if (cursorStyle === TextEditorCursorStyle.Block) { return 'block'; } else if (cursorStyle === TextEditorCursorStyle.Underline) { return 'underline'; } else if (cursorStyle === TextEditorCursorStyle.LineThin) { return 'line-thin'; } else if (cursorStyle === TextEditorCursorStyle.BlockOutline) { return 'block-outline'; } else if (cursorStyle === TextEditorCursorStyle.UnderlineThin) { return 'underline-thin'; } else { throw new Error('cursorStyleToString: Unknown cursorStyle'); } } function _cursorStyleFromString(cursorStyle, defaultValue) { if (typeof cursorStyle !== 'string') { return defaultValue; } if (cursorStyle === 'line') { return TextEditorCursorStyle.Line; } else if (cursorStyle === 'block') { return TextEditorCursorStyle.Block; } else if (cursorStyle === 'underline') { return TextEditorCursorStyle.Underline; } else if (cursorStyle === 'line-thin') { return TextEditorCursorStyle.LineThin; } else if (cursorStyle === 'block-outline') { return TextEditorCursorStyle.BlockOutline; } else if (cursorStyle === 'underline-thin') { return TextEditorCursorStyle.UnderlineThin; } return TextEditorCursorStyle.Line; } /** * Internal configuration options (transformed or computed) for the editor. */ var InternalEditorOptions = /** @class */ (function () { /** * @internal */ function InternalEditorOptions(source) { this.canUseLayerHinting = source.canUseLayerHinting; this.pixelRatio = source.pixelRatio; this.editorClassName = source.editorClassName; this.lineHeight = source.lineHeight | 0; this.readOnly = source.readOnly; this.accessibilitySupport = source.accessibilitySupport; this.multiCursorModifier = source.multiCursorModifier; this.multiCursorMergeOverlapping = source.multiCursorMergeOverlapping; this.wordSeparators = source.wordSeparators; this.autoClosingBrackets = source.autoClosingBrackets; this.autoClosingQuotes = source.autoClosingQuotes; this.autoSurround = source.autoSurround; this.autoIndent = source.autoIndent; this.useTabStops = source.useTabStops; this.tabFocusMode = source.tabFocusMode; this.dragAndDrop = source.dragAndDrop; this.emptySelectionClipboard = source.emptySelectionClipboard; this.copyWithSyntaxHighlighting = source.copyWithSyntaxHighlighting; this.layoutInfo = source.layoutInfo; this.fontInfo = source.fontInfo; this.viewInfo = source.viewInfo; this.wrappingInfo = source.wrappingInfo; this.contribInfo = source.contribInfo; this.showUnused = source.showUnused; } /** * @internal */ InternalEditorOptions.prototype.equals = function (other) { return (this.canUseLayerHinting === other.canUseLayerHinting && this.pixelRatio === other.pixelRatio && this.editorClassName === other.editorClassName && this.lineHeight === other.lineHeight && this.readOnly === other.readOnly && this.accessibilitySupport === other.accessibilitySupport && this.multiCursorModifier === other.multiCursorModifier && this.multiCursorMergeOverlapping === other.multiCursorMergeOverlapping && this.wordSeparators === other.wordSeparators && this.autoClosingBrackets === other.autoClosingBrackets && this.autoClosingQuotes === other.autoClosingQuotes && this.autoSurround === other.autoSurround && this.autoIndent === other.autoIndent && this.useTabStops === other.useTabStops && this.tabFocusMode === other.tabFocusMode && this.dragAndDrop === other.dragAndDrop && this.showUnused === other.showUnused && this.emptySelectionClipboard === other.emptySelectionClipboard && this.copyWithSyntaxHighlighting === other.copyWithSyntaxHighlighting && InternalEditorOptions._equalsLayoutInfo(this.layoutInfo, other.layoutInfo) && this.fontInfo.equals(other.fontInfo) && InternalEditorOptions._equalsViewOptions(this.viewInfo, other.viewInfo) && InternalEditorOptions._equalsWrappingInfo(this.wrappingInfo, other.wrappingInfo) && InternalEditorOptions._equalsContribOptions(this.contribInfo, other.contribInfo)); }; /** * @internal */ InternalEditorOptions.prototype.createChangeEvent = function (newOpts) { return { canUseLayerHinting: (this.canUseLayerHinting !== newOpts.canUseLayerHinting), pixelRatio: (this.pixelRatio !== newOpts.pixelRatio), editorClassName: (this.editorClassName !== newOpts.editorClassName), lineHeight: (this.lineHeight !== newOpts.lineHeight), readOnly: (this.readOnly !== newOpts.readOnly), accessibilitySupport: (this.accessibilitySupport !== newOpts.accessibilitySupport), multiCursorModifier: (this.multiCursorModifier !== newOpts.multiCursorModifier), multiCursorMergeOverlapping: (this.multiCursorMergeOverlapping !== newOpts.multiCursorMergeOverlapping), wordSeparators: (this.wordSeparators !== newOpts.wordSeparators), autoClosingBrackets: (this.autoClosingBrackets !== newOpts.autoClosingBrackets), autoClosingQuotes: (this.autoClosingQuotes !== newOpts.autoClosingQuotes), autoSurround: (this.autoSurround !== newOpts.autoSurround), autoIndent: (this.autoIndent !== newOpts.autoIndent), useTabStops: (this.useTabStops !== newOpts.useTabStops), tabFocusMode: (this.tabFocusMode !== newOpts.tabFocusMode), dragAndDrop: (this.dragAndDrop !== newOpts.dragAndDrop), emptySelectionClipboard: (this.emptySelectionClipboard !== newOpts.emptySelectionClipboard), copyWithSyntaxHighlighting: (this.copyWithSyntaxHighlighting !== newOpts.copyWithSyntaxHighlighting), layoutInfo: (!InternalEditorOptions._equalsLayoutInfo(this.layoutInfo, newOpts.layoutInfo)), fontInfo: (!this.fontInfo.equals(newOpts.fontInfo)), viewInfo: (!InternalEditorOptions._equalsViewOptions(this.viewInfo, newOpts.viewInfo)), wrappingInfo: (!InternalEditorOptions._equalsWrappingInfo(this.wrappingInfo, newOpts.wrappingInfo)), contribInfo: (!InternalEditorOptions._equalsContribOptions(this.contribInfo, newOpts.contribInfo)) }; }; /** * @internal */ InternalEditorOptions._equalsLayoutInfo = function (a, b) { return (a.width === b.width && a.height === b.height && a.glyphMarginLeft === b.glyphMarginLeft && a.glyphMarginWidth === b.glyphMarginWidth && a.glyphMarginHeight === b.glyphMarginHeight && a.lineNumbersLeft === b.lineNumbersLeft && a.lineNumbersWidth === b.lineNumbersWidth && a.lineNumbersHeight === b.lineNumbersHeight && a.decorationsLeft === b.decorationsLeft && a.decorationsWidth === b.decorationsWidth && a.decorationsHeight === b.decorationsHeight && a.contentLeft === b.contentLeft && a.contentWidth === b.contentWidth && a.contentHeight === b.contentHeight && a.renderMinimap === b.renderMinimap && a.minimapLeft === b.minimapLeft && a.minimapWidth === b.minimapWidth && a.viewportColumn === b.viewportColumn && a.verticalScrollbarWidth === b.verticalScrollbarWidth && a.horizontalScrollbarHeight === b.horizontalScrollbarHeight && this._equalsOverviewRuler(a.overviewRuler, b.overviewRuler)); }; /** * @internal */ InternalEditorOptions._equalsOverviewRuler = function (a, b) { return (a.width === b.width && a.height === b.height && a.top === b.top && a.right === b.right); }; /** * @internal */ InternalEditorOptions._equalsViewOptions = function (a, b) { return (a.extraEditorClassName === b.extraEditorClassName && a.disableMonospaceOptimizations === b.disableMonospaceOptimizations && __WEBPACK_IMPORTED_MODULE_1__base_common_arrays_js__["d" /* equals */](a.rulers, b.rulers) && a.ariaLabel === b.ariaLabel && a.renderLineNumbers === b.renderLineNumbers && a.renderCustomLineNumbers === b.renderCustomLineNumbers && a.renderFinalNewline === b.renderFinalNewline && a.selectOnLineNumbers === b.selectOnLineNumbers && a.glyphMargin === b.glyphMargin && a.revealHorizontalRightPadding === b.revealHorizontalRightPadding && a.roundedSelection === b.roundedSelection && a.overviewRulerLanes === b.overviewRulerLanes && a.overviewRulerBorder === b.overviewRulerBorder && a.cursorBlinking === b.cursorBlinking && a.mouseWheelZoom === b.mouseWheelZoom && a.cursorSmoothCaretAnimation === b.cursorSmoothCaretAnimation && a.cursorStyle === b.cursorStyle && a.cursorWidth === b.cursorWidth && a.hideCursorInOverviewRuler === b.hideCursorInOverviewRuler && a.scrollBeyondLastLine === b.scrollBeyondLastLine && a.scrollBeyondLastColumn === b.scrollBeyondLastColumn && a.smoothScrolling === b.smoothScrolling && a.stopRenderingLineAfter === b.stopRenderingLineAfter && a.renderWhitespace === b.renderWhitespace && a.renderControlCharacters === b.renderControlCharacters && a.fontLigatures === b.fontLigatures && a.renderIndentGuides === b.renderIndentGuides && a.highlightActiveIndentGuide === b.highlightActiveIndentGuide && a.renderLineHighlight === b.renderLineHighlight && this._equalsScrollbarOptions(a.scrollbar, b.scrollbar) && this._equalsMinimapOptions(a.minimap, b.minimap) && a.fixedOverflowWidgets === b.fixedOverflowWidgets); }; /** * @internal */ InternalEditorOptions._equalsScrollbarOptions = function (a, b) { return (a.arrowSize === b.arrowSize && a.vertical === b.vertical && a.horizontal === b.horizontal && a.useShadows === b.useShadows && a.verticalHasArrows === b.verticalHasArrows && a.horizontalHasArrows === b.horizontalHasArrows && a.handleMouseWheel === b.handleMouseWheel && a.horizontalScrollbarSize === b.horizontalScrollbarSize && a.horizontalSliderSize === b.horizontalSliderSize && a.verticalScrollbarSize === b.verticalScrollbarSize && a.verticalSliderSize === b.verticalSliderSize && a.mouseWheelScrollSensitivity === b.mouseWheelScrollSensitivity && a.fastScrollSensitivity === b.fastScrollSensitivity); }; /** * @internal */ InternalEditorOptions._equalsMinimapOptions = function (a, b) { return (a.enabled === b.enabled && a.side === b.side && a.showSlider === b.showSlider && a.renderCharacters === b.renderCharacters && a.maxColumn === b.maxColumn); }; /** * @internal */ InternalEditorOptions._equalFindOptions = function (a, b) { return (a.seedSearchStringFromSelection === b.seedSearchStringFromSelection && a.autoFindInSelection === b.autoFindInSelection && a.globalFindClipboard === b.globalFindClipboard && a.addExtraSpaceOnTop === b.addExtraSpaceOnTop); }; /** * @internal */ InternalEditorOptions._equalsParameterHintOptions = function (a, b) { return (a.enabled === b.enabled && a.cycle === b.cycle); }; /** * @internal */ InternalEditorOptions._equalsHoverOptions = function (a, b) { return (a.enabled === b.enabled && a.delay === b.delay && a.sticky === b.sticky); }; /** * @internal */ InternalEditorOptions._equalsSuggestOptions = function (a, b) { if (a === b) { return true; } else if (!a || !b) { return false; } else { return a.filterGraceful === b.filterGraceful && a.snippets === b.snippets && a.snippetsPreventQuickSuggestions === b.snippetsPreventQuickSuggestions && a.localityBonus === b.localityBonus && a.shareSuggestSelections === b.shareSuggestSelections; } }; /** * @internal */ InternalEditorOptions._equalsWrappingInfo = function (a, b) { return (a.inDiffEditor === b.inDiffEditor && a.isDominatedByLongLines === b.isDominatedByLongLines && a.isWordWrapMinified === b.isWordWrapMinified && a.isViewportWrapping === b.isViewportWrapping && a.wrappingColumn === b.wrappingColumn && a.wrappingIndent === b.wrappingIndent && a.wordWrapBreakBeforeCharacters === b.wordWrapBreakBeforeCharacters && a.wordWrapBreakAfterCharacters === b.wordWrapBreakAfterCharacters && a.wordWrapBreakObtrusiveCharacters === b.wordWrapBreakObtrusiveCharacters); }; /** * @internal */ InternalEditorOptions._equalsContribOptions = function (a, b) { return (a.selectionClipboard === b.selectionClipboard && this._equalsHoverOptions(a.hover, b.hover) && a.links === b.links && a.contextmenu === b.contextmenu && InternalEditorOptions._equalsQuickSuggestions(a.quickSuggestions, b.quickSuggestions) && a.quickSuggestionsDelay === b.quickSuggestionsDelay && this._equalsParameterHintOptions(a.parameterHints, b.parameterHints) && a.iconsInSuggestions === b.iconsInSuggestions && a.formatOnType === b.formatOnType && a.formatOnPaste === b.formatOnPaste && a.suggestOnTriggerCharacters === b.suggestOnTriggerCharacters && a.acceptSuggestionOnEnter === b.acceptSuggestionOnEnter && a.acceptSuggestionOnCommitCharacter === b.acceptSuggestionOnCommitCharacter && a.wordBasedSuggestions === b.wordBasedSuggestions && a.suggestSelection === b.suggestSelection && a.suggestFontSize === b.suggestFontSize && a.suggestLineHeight === b.suggestLineHeight && a.tabCompletion === b.tabCompletion && this._equalsSuggestOptions(a.suggest, b.suggest) && a.selectionHighlight === b.selectionHighlight && a.occurrencesHighlight === b.occurrencesHighlight && a.codeLens === b.codeLens && a.folding === b.folding && a.foldingStrategy === b.foldingStrategy && a.showFoldingControls === b.showFoldingControls && a.matchBrackets === b.matchBrackets && this._equalFindOptions(a.find, b.find) && a.colorDecorators === b.colorDecorators && __WEBPACK_IMPORTED_MODULE_2__base_common_objects_js__["d" /* equals */](a.codeActionsOnSave, b.codeActionsOnSave) && a.codeActionsOnSaveTimeout === b.codeActionsOnSaveTimeout && a.lightbulbEnabled === b.lightbulbEnabled); }; InternalEditorOptions._equalsQuickSuggestions = function (a, b) { if (typeof a === 'boolean') { if (typeof b !== 'boolean') { return false; } return a === b; } if (typeof b === 'boolean') { return false; } return (a.comments === b.comments && a.other === b.other && a.strings === b.strings); }; return InternalEditorOptions; }()); function _boolean(value, defaultValue) { if (typeof value === 'undefined') { return defaultValue; } if (value === 'false') { // treat the string 'false' as false return false; } return Boolean(value); } function _booleanMap(value, defaultValue) { if (!value) { return defaultValue; } var out = Object.create(null); for (var _i = 0, _a = Object.keys(value); _i < _a.length; _i++) { var k = _a[_i]; var v = value[k]; if (typeof v === 'boolean') { out[k] = v; } } return out; } function _string(value, defaultValue) { if (typeof value !== 'string') { return defaultValue; } return value; } function _stringSet(value, defaultValue, allowedValues) { if (typeof value !== 'string') { return defaultValue; } if (allowedValues.indexOf(value) === -1) { return defaultValue; } return value; } function _clampedInt(value, defaultValue, minimum, maximum) { var r; if (typeof value === 'undefined') { r = defaultValue; } else { r = parseInt(value, 10); if (isNaN(r)) { r = defaultValue; } } r = Math.max(minimum, r); r = Math.min(maximum, r); return r | 0; } function _float(value, defaultValue) { var r = parseFloat(value); if (isNaN(r)) { r = defaultValue; } return r; } function _wrappingIndentFromString(wrappingIndent, defaultValue) { if (typeof wrappingIndent !== 'string') { return defaultValue; } if (wrappingIndent === 'same') { return 1 /* Same */; } else if (wrappingIndent === 'indent') { return 2 /* Indent */; } else if (wrappingIndent === 'deepIndent') { return 3 /* DeepIndent */; } else { return 0 /* None */; } } function _cursorBlinkingStyleFromString(cursorBlinkingStyle, defaultValue) { if (typeof cursorBlinkingStyle !== 'string') { return defaultValue; } switch (cursorBlinkingStyle) { case 'blink': return 1 /* Blink */; case 'smooth': return 2 /* Smooth */; case 'phase': return 3 /* Phase */; case 'expand': return 4 /* Expand */; case 'visible': // maintain compatibility case 'solid': return 5 /* Solid */; } return 1 /* Blink */; } function _scrollbarVisibilityFromString(visibility, defaultValue) { if (typeof visibility !== 'string') { return defaultValue; } switch (visibility) { case 'hidden': return 2 /* Hidden */; case 'visible': return 3 /* Visible */; default: return 1 /* Auto */; } } /** * @internal */ var EditorOptionsValidator = /** @class */ (function () { function EditorOptionsValidator() { } /** * Validate raw editor options. * i.e. since they can be defined by the user, they might be invalid. */ EditorOptionsValidator.validate = function (opts, defaults) { var wordWrap = opts.wordWrap; { // Compatibility with old true or false values if (wordWrap === true) { wordWrap = 'on'; } else if (wordWrap === false) { wordWrap = 'off'; } wordWrap = _stringSet(wordWrap, defaults.wordWrap, ['off', 'on', 'wordWrapColumn', 'bounded']); } var viewInfo = this._sanitizeViewInfo(opts, defaults.viewInfo); var contribInfo = this._sanitizeContribInfo(opts, defaults.contribInfo); var configuredMulticursorModifier = undefined; if (typeof opts.multiCursorModifier === 'string') { if (opts.multiCursorModifier === 'ctrlCmd') { configuredMulticursorModifier = __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["d" /* isMacintosh */] ? 'metaKey' : 'ctrlKey'; } else { configuredMulticursorModifier = 'altKey'; } } var multiCursorModifier = _stringSet(configuredMulticursorModifier, defaults.multiCursorModifier, ['altKey', 'metaKey', 'ctrlKey']); var autoClosingBrackets; var autoClosingQuotes; var autoSurround; if (typeof opts.autoClosingBrackets === 'boolean' && opts.autoClosingBrackets === false) { // backwards compatibility: disable all on boolean false autoClosingBrackets = 'never'; autoClosingQuotes = 'never'; autoSurround = 'never'; } else { autoClosingBrackets = _stringSet(opts.autoClosingBrackets, defaults.autoClosingBrackets, ['always', 'languageDefined', 'beforeWhitespace', 'never']); autoClosingQuotes = _stringSet(opts.autoClosingQuotes, defaults.autoClosingQuotes, ['always', 'languageDefined', 'beforeWhitespace', 'never']); autoSurround = _stringSet(opts.autoSurround, defaults.autoSurround, ['languageDefined', 'brackets', 'quotes', 'never']); } return { inDiffEditor: _boolean(opts.inDiffEditor, defaults.inDiffEditor), wordSeparators: _string(opts.wordSeparators, defaults.wordSeparators), lineNumbersMinChars: _clampedInt(opts.lineNumbersMinChars, defaults.lineNumbersMinChars, 1, 10), lineDecorationsWidth: (typeof opts.lineDecorationsWidth === 'undefined' ? defaults.lineDecorationsWidth : opts.lineDecorationsWidth), readOnly: _boolean(opts.readOnly, defaults.readOnly), mouseStyle: _stringSet(opts.mouseStyle, defaults.mouseStyle, ['text', 'default', 'copy']), disableLayerHinting: _boolean(opts.disableLayerHinting, defaults.disableLayerHinting), automaticLayout: _boolean(opts.automaticLayout, defaults.automaticLayout), wordWrap: wordWrap, wordWrapColumn: _clampedInt(opts.wordWrapColumn, defaults.wordWrapColumn, 1, 1073741824 /* MAX_SAFE_SMALL_INTEGER */), wordWrapMinified: _boolean(opts.wordWrapMinified, defaults.wordWrapMinified), wrappingIndent: _wrappingIndentFromString(opts.wrappingIndent, defaults.wrappingIndent), wordWrapBreakBeforeCharacters: _string(opts.wordWrapBreakBeforeCharacters, defaults.wordWrapBreakBeforeCharacters), wordWrapBreakAfterCharacters: _string(opts.wordWrapBreakAfterCharacters, defaults.wordWrapBreakAfterCharacters), wordWrapBreakObtrusiveCharacters: _string(opts.wordWrapBreakObtrusiveCharacters, defaults.wordWrapBreakObtrusiveCharacters), autoClosingBrackets: autoClosingBrackets, autoClosingQuotes: autoClosingQuotes, autoSurround: autoSurround, autoIndent: _boolean(opts.autoIndent, defaults.autoIndent), dragAndDrop: _boolean(opts.dragAndDrop, defaults.dragAndDrop), emptySelectionClipboard: _boolean(opts.emptySelectionClipboard, defaults.emptySelectionClipboard), copyWithSyntaxHighlighting: _boolean(opts.copyWithSyntaxHighlighting, defaults.copyWithSyntaxHighlighting), useTabStops: _boolean(opts.useTabStops, defaults.useTabStops), multiCursorModifier: multiCursorModifier, multiCursorMergeOverlapping: _boolean(opts.multiCursorMergeOverlapping, defaults.multiCursorMergeOverlapping), accessibilitySupport: _stringSet(opts.accessibilitySupport, defaults.accessibilitySupport, ['auto', 'on', 'off']), showUnused: _boolean(opts.showUnused, defaults.showUnused), viewInfo: viewInfo, contribInfo: contribInfo, }; }; EditorOptionsValidator._sanitizeScrollbarOpts = function (opts, defaults, mouseWheelScrollSensitivity, fastScrollSensitivity) { if (typeof opts !== 'object') { return defaults; } var horizontalScrollbarSize = _clampedInt(opts.horizontalScrollbarSize, defaults.horizontalScrollbarSize, 0, 1000); var verticalScrollbarSize = _clampedInt(opts.verticalScrollbarSize, defaults.verticalScrollbarSize, 0, 1000); return { vertical: _scrollbarVisibilityFromString(opts.vertical, defaults.vertical), horizontal: _scrollbarVisibilityFromString(opts.horizontal, defaults.horizontal), arrowSize: _clampedInt(opts.arrowSize, defaults.arrowSize, 0, 1000), useShadows: _boolean(opts.useShadows, defaults.useShadows), verticalHasArrows: _boolean(opts.verticalHasArrows, defaults.verticalHasArrows), horizontalHasArrows: _boolean(opts.horizontalHasArrows, defaults.horizontalHasArrows), horizontalScrollbarSize: horizontalScrollbarSize, horizontalSliderSize: _clampedInt(opts.horizontalSliderSize, horizontalScrollbarSize, 0, 1000), verticalScrollbarSize: verticalScrollbarSize, verticalSliderSize: _clampedInt(opts.verticalSliderSize, verticalScrollbarSize, 0, 1000), handleMouseWheel: _boolean(opts.handleMouseWheel, defaults.handleMouseWheel), mouseWheelScrollSensitivity: mouseWheelScrollSensitivity, fastScrollSensitivity: fastScrollSensitivity, }; }; EditorOptionsValidator._sanitizeMinimapOpts = function (opts, defaults) { if (typeof opts !== 'object') { return defaults; } return { enabled: _boolean(opts.enabled, defaults.enabled), side: _stringSet(opts.side, defaults.side, ['right', 'left']), showSlider: _stringSet(opts.showSlider, defaults.showSlider, ['always', 'mouseover']), renderCharacters: _boolean(opts.renderCharacters, defaults.renderCharacters), maxColumn: _clampedInt(opts.maxColumn, defaults.maxColumn, 1, 10000), }; }; EditorOptionsValidator._sanitizeFindOpts = function (opts, defaults) { if (typeof opts !== 'object') { return defaults; } return { seedSearchStringFromSelection: _boolean(opts.seedSearchStringFromSelection, defaults.seedSearchStringFromSelection), autoFindInSelection: _boolean(opts.autoFindInSelection, defaults.autoFindInSelection), globalFindClipboard: _boolean(opts.globalFindClipboard, defaults.globalFindClipboard), addExtraSpaceOnTop: _boolean(opts.addExtraSpaceOnTop, defaults.addExtraSpaceOnTop) }; }; EditorOptionsValidator._sanitizeParameterHintOpts = function (opts, defaults) { if (typeof opts !== 'object') { return defaults; } return { enabled: _boolean(opts.enabled, defaults.enabled), cycle: _boolean(opts.cycle, defaults.cycle) }; }; EditorOptionsValidator._sanitizeHoverOpts = function (_opts, defaults) { var opts; if (typeof _opts === 'boolean') { opts = { enabled: _opts }; } else if (typeof _opts === 'object') { opts = _opts; } else { return defaults; } return { enabled: _boolean(opts.enabled, defaults.enabled), delay: _clampedInt(opts.delay, defaults.delay, 0, 10000), sticky: _boolean(opts.sticky, defaults.sticky) }; }; EditorOptionsValidator._sanitizeSuggestOpts = function (opts, defaults) { var suggestOpts = opts.suggest || {}; return { filterGraceful: _boolean(suggestOpts.filterGraceful, defaults.filterGraceful), snippets: _stringSet(opts.snippetSuggestions, defaults.snippets, ['top', 'bottom', 'inline', 'none']), snippetsPreventQuickSuggestions: _boolean(suggestOpts.snippetsPreventQuickSuggestions, defaults.filterGraceful), localityBonus: _boolean(suggestOpts.localityBonus, defaults.localityBonus), shareSuggestSelections: _boolean(suggestOpts.shareSuggestSelections, defaults.shareSuggestSelections) }; }; EditorOptionsValidator._sanitizeTabCompletionOpts = function (opts, defaults) { if (opts === false) { return 'off'; } else if (opts === true) { return 'onlySnippets'; } else { return _stringSet(opts, defaults, ['on', 'off', 'onlySnippets']); } }; EditorOptionsValidator._sanitizeViewInfo = function (opts, defaults) { var rulers = []; if (Array.isArray(opts.rulers)) { for (var i = 0, len = opts.rulers.length; i < len; i++) { rulers.push(_clampedInt(opts.rulers[i], 0, 0, 10000)); } rulers.sort(); } var renderLineNumbers = defaults.renderLineNumbers; var renderCustomLineNumbers = defaults.renderCustomLineNumbers; if (typeof opts.lineNumbers !== 'undefined') { var lineNumbers = opts.lineNumbers; // Compatibility with old true or false values if (lineNumbers === true) { lineNumbers = 'on'; } else if (lineNumbers === false) { lineNumbers = 'off'; } if (typeof lineNumbers === 'function') { renderLineNumbers = 4 /* Custom */; renderCustomLineNumbers = lineNumbers; } else if (lineNumbers === 'interval') { renderLineNumbers = 3 /* Interval */; } else if (lineNumbers === 'relative') { renderLineNumbers = 2 /* Relative */; } else if (lineNumbers === 'on') { renderLineNumbers = 1 /* On */; } else { renderLineNumbers = 0 /* Off */; } } var fontLigatures = _boolean(opts.fontLigatures, defaults.fontLigatures); var disableMonospaceOptimizations = _boolean(opts.disableMonospaceOptimizations, defaults.disableMonospaceOptimizations) || fontLigatures; var renderWhitespace = opts.renderWhitespace; { // Compatibility with old true or false values if (renderWhitespace === true) { renderWhitespace = 'boundary'; } else if (renderWhitespace === false) { renderWhitespace = 'none'; } renderWhitespace = _stringSet(renderWhitespace, defaults.renderWhitespace, ['none', 'boundary', 'all']); } var renderLineHighlight = opts.renderLineHighlight; { // Compatibility with old true or false values if (renderLineHighlight === true) { renderLineHighlight = 'line'; } else if (renderLineHighlight === false) { renderLineHighlight = 'none'; } renderLineHighlight = _stringSet(renderLineHighlight, defaults.renderLineHighlight, ['none', 'gutter', 'line', 'all']); } var mouseWheelScrollSensitivity = _float(opts.mouseWheelScrollSensitivity, defaults.scrollbar.mouseWheelScrollSensitivity); if (mouseWheelScrollSensitivity === 0) { // Disallow 0, as it would prevent/block scrolling mouseWheelScrollSensitivity = 1; } var fastScrollSensitivity = _float(opts.fastScrollSensitivity, defaults.scrollbar.fastScrollSensitivity); if (fastScrollSensitivity <= 0) { fastScrollSensitivity = defaults.scrollbar.fastScrollSensitivity; } var scrollbar = this._sanitizeScrollbarOpts(opts.scrollbar, defaults.scrollbar, mouseWheelScrollSensitivity, fastScrollSensitivity); var minimap = this._sanitizeMinimapOpts(opts.minimap, defaults.minimap); return { extraEditorClassName: _string(opts.extraEditorClassName, defaults.extraEditorClassName), disableMonospaceOptimizations: disableMonospaceOptimizations, rulers: rulers, ariaLabel: _string(opts.ariaLabel, defaults.ariaLabel), renderLineNumbers: renderLineNumbers, renderCustomLineNumbers: renderCustomLineNumbers, renderFinalNewline: _boolean(opts.renderFinalNewline, defaults.renderFinalNewline), selectOnLineNumbers: _boolean(opts.selectOnLineNumbers, defaults.selectOnLineNumbers), glyphMargin: _boolean(opts.glyphMargin, defaults.glyphMargin), revealHorizontalRightPadding: _clampedInt(opts.revealHorizontalRightPadding, defaults.revealHorizontalRightPadding, 0, 1000), roundedSelection: _boolean(opts.roundedSelection, defaults.roundedSelection), overviewRulerLanes: _clampedInt(opts.overviewRulerLanes, defaults.overviewRulerLanes, 0, 3), overviewRulerBorder: _boolean(opts.overviewRulerBorder, defaults.overviewRulerBorder), cursorBlinking: _cursorBlinkingStyleFromString(opts.cursorBlinking, defaults.cursorBlinking), mouseWheelZoom: _boolean(opts.mouseWheelZoom, defaults.mouseWheelZoom), cursorSmoothCaretAnimation: _boolean(opts.cursorSmoothCaretAnimation, defaults.cursorSmoothCaretAnimation), cursorStyle: _cursorStyleFromString(opts.cursorStyle, defaults.cursorStyle), cursorWidth: _clampedInt(opts.cursorWidth, defaults.cursorWidth, 0, Number.MAX_VALUE), hideCursorInOverviewRuler: _boolean(opts.hideCursorInOverviewRuler, defaults.hideCursorInOverviewRuler), scrollBeyondLastLine: _boolean(opts.scrollBeyondLastLine, defaults.scrollBeyondLastLine), scrollBeyondLastColumn: _clampedInt(opts.scrollBeyondLastColumn, defaults.scrollBeyondLastColumn, 0, 1073741824 /* MAX_SAFE_SMALL_INTEGER */), smoothScrolling: _boolean(opts.smoothScrolling, defaults.smoothScrolling), stopRenderingLineAfter: _clampedInt(opts.stopRenderingLineAfter, defaults.stopRenderingLineAfter, -1, 1073741824 /* MAX_SAFE_SMALL_INTEGER */), renderWhitespace: renderWhitespace, renderControlCharacters: _boolean(opts.renderControlCharacters, defaults.renderControlCharacters), fontLigatures: fontLigatures, renderIndentGuides: _boolean(opts.renderIndentGuides, defaults.renderIndentGuides), highlightActiveIndentGuide: _boolean(opts.highlightActiveIndentGuide, defaults.highlightActiveIndentGuide), renderLineHighlight: renderLineHighlight, scrollbar: scrollbar, minimap: minimap, fixedOverflowWidgets: _boolean(opts.fixedOverflowWidgets, defaults.fixedOverflowWidgets), }; }; EditorOptionsValidator._sanitizeContribInfo = function (opts, defaults) { var quickSuggestions; if (typeof opts.quickSuggestions === 'object') { quickSuggestions = __assign({ other: true }, opts.quickSuggestions); } else { quickSuggestions = _boolean(opts.quickSuggestions, defaults.quickSuggestions); } // Compatibility support for acceptSuggestionOnEnter if (typeof opts.acceptSuggestionOnEnter === 'boolean') { opts.acceptSuggestionOnEnter = opts.acceptSuggestionOnEnter ? 'on' : 'off'; } var find = this._sanitizeFindOpts(opts.find, defaults.find); return { selectionClipboard: _boolean(opts.selectionClipboard, defaults.selectionClipboard), hover: this._sanitizeHoverOpts(opts.hover, defaults.hover), links: _boolean(opts.links, defaults.links), contextmenu: _boolean(opts.contextmenu, defaults.contextmenu), quickSuggestions: quickSuggestions, quickSuggestionsDelay: _clampedInt(opts.quickSuggestionsDelay, defaults.quickSuggestionsDelay, -1073741824 /* MIN_SAFE_SMALL_INTEGER */, 1073741824 /* MAX_SAFE_SMALL_INTEGER */), parameterHints: this._sanitizeParameterHintOpts(opts.parameterHints, defaults.parameterHints), iconsInSuggestions: _boolean(opts.iconsInSuggestions, defaults.iconsInSuggestions), formatOnType: _boolean(opts.formatOnType, defaults.formatOnType), formatOnPaste: _boolean(opts.formatOnPaste, defaults.formatOnPaste), suggestOnTriggerCharacters: _boolean(opts.suggestOnTriggerCharacters, defaults.suggestOnTriggerCharacters), acceptSuggestionOnEnter: _stringSet(opts.acceptSuggestionOnEnter, defaults.acceptSuggestionOnEnter, ['on', 'smart', 'off']), acceptSuggestionOnCommitCharacter: _boolean(opts.acceptSuggestionOnCommitCharacter, defaults.acceptSuggestionOnCommitCharacter), wordBasedSuggestions: _boolean(opts.wordBasedSuggestions, defaults.wordBasedSuggestions), suggestSelection: _stringSet(opts.suggestSelection, defaults.suggestSelection, ['first', 'recentlyUsed', 'recentlyUsedByPrefix']), suggestFontSize: _clampedInt(opts.suggestFontSize, defaults.suggestFontSize, 0, 1000), suggestLineHeight: _clampedInt(opts.suggestLineHeight, defaults.suggestLineHeight, 0, 1000), tabCompletion: this._sanitizeTabCompletionOpts(opts.tabCompletion, defaults.tabCompletion), suggest: this._sanitizeSuggestOpts(opts, defaults.suggest), selectionHighlight: _boolean(opts.selectionHighlight, defaults.selectionHighlight), occurrencesHighlight: _boolean(opts.occurrencesHighlight, defaults.occurrencesHighlight), codeLens: _boolean(opts.codeLens, defaults.codeLens), folding: _boolean(opts.folding, defaults.folding), foldingStrategy: _stringSet(opts.foldingStrategy, defaults.foldingStrategy, ['auto', 'indentation']), showFoldingControls: _stringSet(opts.showFoldingControls, defaults.showFoldingControls, ['always', 'mouseover']), matchBrackets: _boolean(opts.matchBrackets, defaults.matchBrackets), find: find, colorDecorators: _boolean(opts.colorDecorators, defaults.colorDecorators), lightbulbEnabled: _boolean(opts.lightbulb ? opts.lightbulb.enabled : false, defaults.lightbulbEnabled), codeActionsOnSave: _booleanMap(opts.codeActionsOnSave, {}), codeActionsOnSaveTimeout: _clampedInt(opts.codeActionsOnSaveTimeout, defaults.codeActionsOnSaveTimeout, 1, 10000) }; }; return EditorOptionsValidator; }()); /** * @internal */ var InternalEditorOptionsFactory = /** @class */ (function () { function InternalEditorOptionsFactory() { } InternalEditorOptionsFactory._tweakValidatedOptions = function (opts, accessibilitySupport) { var accessibilityIsOn = (accessibilitySupport === 2 /* Enabled */); var accessibilityIsOff = (accessibilitySupport === 1 /* Disabled */); return { inDiffEditor: opts.inDiffEditor, wordSeparators: opts.wordSeparators, lineNumbersMinChars: opts.lineNumbersMinChars, lineDecorationsWidth: opts.lineDecorationsWidth, readOnly: opts.readOnly, mouseStyle: opts.mouseStyle, disableLayerHinting: opts.disableLayerHinting, automaticLayout: opts.automaticLayout, wordWrap: opts.wordWrap, wordWrapColumn: opts.wordWrapColumn, wordWrapMinified: opts.wordWrapMinified, wrappingIndent: opts.wrappingIndent, wordWrapBreakBeforeCharacters: opts.wordWrapBreakBeforeCharacters, wordWrapBreakAfterCharacters: opts.wordWrapBreakAfterCharacters, wordWrapBreakObtrusiveCharacters: opts.wordWrapBreakObtrusiveCharacters, autoClosingBrackets: opts.autoClosingBrackets, autoClosingQuotes: opts.autoClosingQuotes, autoSurround: opts.autoSurround, autoIndent: opts.autoIndent, dragAndDrop: opts.dragAndDrop, emptySelectionClipboard: opts.emptySelectionClipboard, copyWithSyntaxHighlighting: opts.copyWithSyntaxHighlighting, useTabStops: opts.useTabStops, multiCursorModifier: opts.multiCursorModifier, multiCursorMergeOverlapping: opts.multiCursorMergeOverlapping, accessibilitySupport: opts.accessibilitySupport, showUnused: opts.showUnused, viewInfo: { extraEditorClassName: opts.viewInfo.extraEditorClassName, disableMonospaceOptimizations: opts.viewInfo.disableMonospaceOptimizations, rulers: opts.viewInfo.rulers, ariaLabel: (accessibilityIsOff ? __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilityOffAriaLabel', "The editor is not accessible at this time. Press Alt+F1 for options.") : opts.viewInfo.ariaLabel), renderLineNumbers: opts.viewInfo.renderLineNumbers, renderCustomLineNumbers: opts.viewInfo.renderCustomLineNumbers, renderFinalNewline: opts.viewInfo.renderFinalNewline, selectOnLineNumbers: opts.viewInfo.selectOnLineNumbers, glyphMargin: opts.viewInfo.glyphMargin, revealHorizontalRightPadding: opts.viewInfo.revealHorizontalRightPadding, roundedSelection: (accessibilityIsOn ? false : opts.viewInfo.roundedSelection), overviewRulerLanes: opts.viewInfo.overviewRulerLanes, overviewRulerBorder: opts.viewInfo.overviewRulerBorder, cursorBlinking: opts.viewInfo.cursorBlinking, mouseWheelZoom: opts.viewInfo.mouseWheelZoom, cursorSmoothCaretAnimation: opts.viewInfo.cursorSmoothCaretAnimation, cursorStyle: opts.viewInfo.cursorStyle, cursorWidth: opts.viewInfo.cursorWidth, hideCursorInOverviewRuler: opts.viewInfo.hideCursorInOverviewRuler, scrollBeyondLastLine: opts.viewInfo.scrollBeyondLastLine, scrollBeyondLastColumn: opts.viewInfo.scrollBeyondLastColumn, smoothScrolling: opts.viewInfo.smoothScrolling, stopRenderingLineAfter: opts.viewInfo.stopRenderingLineAfter, renderWhitespace: (accessibilityIsOn ? 'none' : opts.viewInfo.renderWhitespace), renderControlCharacters: (accessibilityIsOn ? false : opts.viewInfo.renderControlCharacters), fontLigatures: (accessibilityIsOn ? false : opts.viewInfo.fontLigatures), renderIndentGuides: (accessibilityIsOn ? false : opts.viewInfo.renderIndentGuides), highlightActiveIndentGuide: opts.viewInfo.highlightActiveIndentGuide, renderLineHighlight: opts.viewInfo.renderLineHighlight, scrollbar: opts.viewInfo.scrollbar, minimap: { enabled: (accessibilityIsOn ? false : opts.viewInfo.minimap.enabled), side: opts.viewInfo.minimap.side, renderCharacters: opts.viewInfo.minimap.renderCharacters, showSlider: opts.viewInfo.minimap.showSlider, maxColumn: opts.viewInfo.minimap.maxColumn }, fixedOverflowWidgets: opts.viewInfo.fixedOverflowWidgets }, contribInfo: { selectionClipboard: opts.contribInfo.selectionClipboard, hover: opts.contribInfo.hover, links: (accessibilityIsOn ? false : opts.contribInfo.links), contextmenu: opts.contribInfo.contextmenu, quickSuggestions: opts.contribInfo.quickSuggestions, quickSuggestionsDelay: opts.contribInfo.quickSuggestionsDelay, parameterHints: opts.contribInfo.parameterHints, iconsInSuggestions: opts.contribInfo.iconsInSuggestions, formatOnType: opts.contribInfo.formatOnType, formatOnPaste: opts.contribInfo.formatOnPaste, suggestOnTriggerCharacters: opts.contribInfo.suggestOnTriggerCharacters, acceptSuggestionOnEnter: opts.contribInfo.acceptSuggestionOnEnter, acceptSuggestionOnCommitCharacter: opts.contribInfo.acceptSuggestionOnCommitCharacter, wordBasedSuggestions: opts.contribInfo.wordBasedSuggestions, suggestSelection: opts.contribInfo.suggestSelection, suggestFontSize: opts.contribInfo.suggestFontSize, suggestLineHeight: opts.contribInfo.suggestLineHeight, tabCompletion: opts.contribInfo.tabCompletion, suggest: opts.contribInfo.suggest, selectionHighlight: (accessibilityIsOn ? false : opts.contribInfo.selectionHighlight), occurrencesHighlight: (accessibilityIsOn ? false : opts.contribInfo.occurrencesHighlight), codeLens: (accessibilityIsOn ? false : opts.contribInfo.codeLens), folding: (accessibilityIsOn ? false : opts.contribInfo.folding), foldingStrategy: opts.contribInfo.foldingStrategy, showFoldingControls: opts.contribInfo.showFoldingControls, matchBrackets: (accessibilityIsOn ? false : opts.contribInfo.matchBrackets), find: opts.contribInfo.find, colorDecorators: opts.contribInfo.colorDecorators, lightbulbEnabled: opts.contribInfo.lightbulbEnabled, codeActionsOnSave: opts.contribInfo.codeActionsOnSave, codeActionsOnSaveTimeout: opts.contribInfo.codeActionsOnSaveTimeout } }; }; InternalEditorOptionsFactory.createInternalEditorOptions = function (env, _opts) { var accessibilitySupport; if (_opts.accessibilitySupport === 'auto') { // The editor reads the `accessibilitySupport` from the environment accessibilitySupport = env.accessibilitySupport; } else if (_opts.accessibilitySupport === 'on') { accessibilitySupport = 2 /* Enabled */; } else { accessibilitySupport = 1 /* Disabled */; } // Disable some non critical features to get as best performance as possible // See https://github.com/Microsoft/vscode/issues/26730 var opts = this._tweakValidatedOptions(_opts, accessibilitySupport); var lineDecorationsWidth; if (typeof opts.lineDecorationsWidth === 'string' && /^\d+(\.\d+)?ch$/.test(opts.lineDecorationsWidth)) { var multiple = parseFloat(opts.lineDecorationsWidth.substr(0, opts.lineDecorationsWidth.length - 2)); lineDecorationsWidth = multiple * env.fontInfo.typicalHalfwidthCharacterWidth; } else { lineDecorationsWidth = _clampedInt(opts.lineDecorationsWidth, 0, 0, 1000); } if (opts.contribInfo.folding) { lineDecorationsWidth += 16; } var layoutInfo = EditorLayoutProvider.compute({ outerWidth: env.outerWidth, outerHeight: env.outerHeight, showGlyphMargin: opts.viewInfo.glyphMargin, lineHeight: env.fontInfo.lineHeight, showLineNumbers: (opts.viewInfo.renderLineNumbers !== 0 /* Off */), lineNumbersMinChars: opts.lineNumbersMinChars, lineNumbersDigitCount: env.lineNumbersDigitCount, lineDecorationsWidth: lineDecorationsWidth, typicalHalfwidthCharacterWidth: env.fontInfo.typicalHalfwidthCharacterWidth, maxDigitWidth: env.fontInfo.maxDigitWidth, verticalScrollbarWidth: opts.viewInfo.scrollbar.verticalScrollbarSize, horizontalScrollbarHeight: opts.viewInfo.scrollbar.horizontalScrollbarSize, scrollbarArrowSize: opts.viewInfo.scrollbar.arrowSize, verticalScrollbarHasArrows: opts.viewInfo.scrollbar.verticalHasArrows, minimap: opts.viewInfo.minimap.enabled, minimapSide: opts.viewInfo.minimap.side, minimapRenderCharacters: opts.viewInfo.minimap.renderCharacters, minimapMaxColumn: opts.viewInfo.minimap.maxColumn, pixelRatio: env.pixelRatio }); var bareWrappingInfo = null; { var wordWrap = opts.wordWrap; var wordWrapColumn = opts.wordWrapColumn; var wordWrapMinified = opts.wordWrapMinified; if (accessibilitySupport === 2 /* Enabled */) { // See https://github.com/Microsoft/vscode/issues/27766 // Never enable wrapping when a screen reader is attached // because arrow down etc. will not move the cursor in the way // a screen reader expects. bareWrappingInfo = { isWordWrapMinified: false, isViewportWrapping: false, wrappingColumn: -1 }; } else if (wordWrapMinified && env.isDominatedByLongLines) { // Force viewport width wrapping if model is dominated by long lines bareWrappingInfo = { isWordWrapMinified: true, isViewportWrapping: true, wrappingColumn: Math.max(1, layoutInfo.viewportColumn) }; } else if (wordWrap === 'on') { bareWrappingInfo = { isWordWrapMinified: false, isViewportWrapping: true, wrappingColumn: Math.max(1, layoutInfo.viewportColumn) }; } else if (wordWrap === 'bounded') { bareWrappingInfo = { isWordWrapMinified: false, isViewportWrapping: true, wrappingColumn: Math.min(Math.max(1, layoutInfo.viewportColumn), wordWrapColumn) }; } else if (wordWrap === 'wordWrapColumn') { bareWrappingInfo = { isWordWrapMinified: false, isViewportWrapping: false, wrappingColumn: wordWrapColumn }; } else { bareWrappingInfo = { isWordWrapMinified: false, isViewportWrapping: false, wrappingColumn: -1 }; } } var wrappingInfo = { inDiffEditor: opts.inDiffEditor, isDominatedByLongLines: env.isDominatedByLongLines, isWordWrapMinified: bareWrappingInfo.isWordWrapMinified, isViewportWrapping: bareWrappingInfo.isViewportWrapping, wrappingColumn: bareWrappingInfo.wrappingColumn, wrappingIndent: opts.wrappingIndent, wordWrapBreakBeforeCharacters: opts.wordWrapBreakBeforeCharacters, wordWrapBreakAfterCharacters: opts.wordWrapBreakAfterCharacters, wordWrapBreakObtrusiveCharacters: opts.wordWrapBreakObtrusiveCharacters, }; var className = 'monaco-editor'; if (opts.viewInfo.extraEditorClassName) { className += ' ' + opts.viewInfo.extraEditorClassName; } if (env.extraEditorClassName) { className += ' ' + env.extraEditorClassName; } if (opts.viewInfo.fontLigatures) { className += ' enable-ligatures'; } if (opts.mouseStyle === 'default') { className += ' mouse-default'; } else if (opts.mouseStyle === 'copy') { className += ' mouse-copy'; } return new InternalEditorOptions({ canUseLayerHinting: opts.disableLayerHinting ? false : true, pixelRatio: env.pixelRatio, editorClassName: className, lineHeight: env.fontInfo.lineHeight, readOnly: opts.readOnly, accessibilitySupport: accessibilitySupport, multiCursorModifier: opts.multiCursorModifier, multiCursorMergeOverlapping: opts.multiCursorMergeOverlapping, wordSeparators: opts.wordSeparators, autoClosingBrackets: opts.autoClosingBrackets, autoClosingQuotes: opts.autoClosingQuotes, autoSurround: opts.autoSurround, autoIndent: opts.autoIndent, useTabStops: opts.useTabStops, tabFocusMode: opts.readOnly ? true : env.tabFocusMode, dragAndDrop: opts.dragAndDrop, emptySelectionClipboard: opts.emptySelectionClipboard && env.emptySelectionClipboard, copyWithSyntaxHighlighting: opts.copyWithSyntaxHighlighting, layoutInfo: layoutInfo, fontInfo: env.fontInfo, viewInfo: opts.viewInfo, wrappingInfo: wrappingInfo, contribInfo: opts.contribInfo, showUnused: opts.showUnused, }); }; return InternalEditorOptionsFactory; }()); /** * @internal */ var EditorLayoutProvider = /** @class */ (function () { function EditorLayoutProvider() { } EditorLayoutProvider.compute = function (_opts) { var outerWidth = _opts.outerWidth | 0; var outerHeight = _opts.outerHeight | 0; var showGlyphMargin = _opts.showGlyphMargin; var lineHeight = _opts.lineHeight | 0; var showLineNumbers = _opts.showLineNumbers; var lineNumbersMinChars = _opts.lineNumbersMinChars | 0; var lineNumbersDigitCount = _opts.lineNumbersDigitCount | 0; var lineDecorationsWidth = _opts.lineDecorationsWidth | 0; var typicalHalfwidthCharacterWidth = _opts.typicalHalfwidthCharacterWidth; var maxDigitWidth = _opts.maxDigitWidth; var verticalScrollbarWidth = _opts.verticalScrollbarWidth | 0; var verticalScrollbarHasArrows = _opts.verticalScrollbarHasArrows; var scrollbarArrowSize = _opts.scrollbarArrowSize | 0; var horizontalScrollbarHeight = _opts.horizontalScrollbarHeight | 0; var minimap = _opts.minimap; var minimapSide = _opts.minimapSide; var minimapRenderCharacters = _opts.minimapRenderCharacters; var minimapMaxColumn = _opts.minimapMaxColumn | 0; var pixelRatio = _opts.pixelRatio; var lineNumbersWidth = 0; if (showLineNumbers) { var digitCount = Math.max(lineNumbersDigitCount, lineNumbersMinChars); lineNumbersWidth = Math.round(digitCount * maxDigitWidth); } var glyphMarginWidth = 0; if (showGlyphMargin) { glyphMarginWidth = lineHeight; } var glyphMarginLeft = 0; var lineNumbersLeft = glyphMarginLeft + glyphMarginWidth; var decorationsLeft = lineNumbersLeft + lineNumbersWidth; var contentLeft = decorationsLeft + lineDecorationsWidth; var remainingWidth = outerWidth - glyphMarginWidth - lineNumbersWidth - lineDecorationsWidth; var renderMinimap; var minimapLeft; var minimapWidth; var contentWidth; if (!minimap) { minimapLeft = 0; minimapWidth = 0; renderMinimap = 0 /* None */; contentWidth = remainingWidth; } else { var minimapCharWidth = void 0; if (pixelRatio >= 2) { renderMinimap = minimapRenderCharacters ? 2 /* Large */ : 4 /* LargeBlocks */; minimapCharWidth = 2 / pixelRatio; } else { renderMinimap = minimapRenderCharacters ? 1 /* Small */ : 3 /* SmallBlocks */; minimapCharWidth = 1 / pixelRatio; } // Given: // (leaving 2px for the cursor to have space after the last character) // viewportColumn = (contentWidth - verticalScrollbarWidth - 2) / typicalHalfwidthCharacterWidth // minimapWidth = viewportColumn * minimapCharWidth // contentWidth = remainingWidth - minimapWidth // What are good values for contentWidth and minimapWidth ? // minimapWidth = ((contentWidth - verticalScrollbarWidth - 2) / typicalHalfwidthCharacterWidth) * minimapCharWidth // typicalHalfwidthCharacterWidth * minimapWidth = (contentWidth - verticalScrollbarWidth - 2) * minimapCharWidth // typicalHalfwidthCharacterWidth * minimapWidth = (remainingWidth - minimapWidth - verticalScrollbarWidth - 2) * minimapCharWidth // (typicalHalfwidthCharacterWidth + minimapCharWidth) * minimapWidth = (remainingWidth - verticalScrollbarWidth - 2) * minimapCharWidth // minimapWidth = ((remainingWidth - verticalScrollbarWidth - 2) * minimapCharWidth) / (typicalHalfwidthCharacterWidth + minimapCharWidth) minimapWidth = Math.max(0, Math.floor(((remainingWidth - verticalScrollbarWidth - 2) * minimapCharWidth) / (typicalHalfwidthCharacterWidth + minimapCharWidth))); var minimapColumns = minimapWidth / minimapCharWidth; if (minimapColumns > minimapMaxColumn) { minimapWidth = Math.floor(minimapMaxColumn * minimapCharWidth); } contentWidth = remainingWidth - minimapWidth; if (minimapSide === 'left') { minimapLeft = 0; glyphMarginLeft += minimapWidth; lineNumbersLeft += minimapWidth; decorationsLeft += minimapWidth; contentLeft += minimapWidth; } else { minimapLeft = outerWidth - minimapWidth - verticalScrollbarWidth; } } // (leaving 2px for the cursor to have space after the last character) var viewportColumn = Math.max(1, Math.floor((contentWidth - verticalScrollbarWidth - 2) / typicalHalfwidthCharacterWidth)); var verticalArrowSize = (verticalScrollbarHasArrows ? scrollbarArrowSize : 0); return { width: outerWidth, height: outerHeight, glyphMarginLeft: glyphMarginLeft, glyphMarginWidth: glyphMarginWidth, glyphMarginHeight: outerHeight, lineNumbersLeft: lineNumbersLeft, lineNumbersWidth: lineNumbersWidth, lineNumbersHeight: outerHeight, decorationsLeft: decorationsLeft, decorationsWidth: lineDecorationsWidth, decorationsHeight: outerHeight, contentLeft: contentLeft, contentWidth: contentWidth, contentHeight: outerHeight, renderMinimap: renderMinimap, minimapLeft: minimapLeft, minimapWidth: minimapWidth, viewportColumn: viewportColumn, verticalScrollbarWidth: verticalScrollbarWidth, horizontalScrollbarHeight: horizontalScrollbarHeight, overviewRuler: { top: verticalArrowSize, width: verticalScrollbarWidth, height: (outerHeight - 2 * verticalArrowSize), right: 0 } }; }; return EditorLayoutProvider; }()); var DEFAULT_WINDOWS_FONT_FAMILY = 'Consolas, \'Courier New\', monospace'; var DEFAULT_MAC_FONT_FAMILY = 'Menlo, Monaco, \'Courier New\', monospace'; var DEFAULT_LINUX_FONT_FAMILY = '\'Droid Sans Mono\', \'monospace\', monospace, \'Droid Sans Fallback\''; /** * @internal */ var EDITOR_FONT_DEFAULTS = { fontFamily: (__WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["d" /* isMacintosh */] ? DEFAULT_MAC_FONT_FAMILY : (__WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["c" /* isLinux */] ? DEFAULT_LINUX_FONT_FAMILY : DEFAULT_WINDOWS_FONT_FAMILY)), fontWeight: 'normal', fontSize: (__WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["d" /* isMacintosh */] ? 12 : 14), lineHeight: 0, letterSpacing: 0, }; /** * @internal */ var EDITOR_MODEL_DEFAULTS = { tabSize: 4, indentSize: 4, insertSpaces: true, detectIndentation: true, trimAutoWhitespace: true, largeFileOptimizations: true }; /** * @internal */ var EDITOR_DEFAULTS = { inDiffEditor: false, wordSeparators: __WEBPACK_IMPORTED_MODULE_4__model_wordHelper_js__["b" /* USUAL_WORD_SEPARATORS */], lineNumbersMinChars: 5, lineDecorationsWidth: 10, readOnly: false, mouseStyle: 'text', disableLayerHinting: false, automaticLayout: false, wordWrap: 'off', wordWrapColumn: 80, wordWrapMinified: true, wrappingIndent: 1 /* Same */, wordWrapBreakBeforeCharacters: '([{‘“〈《「『【〔([{「£¥$£¥++', wordWrapBreakAfterCharacters: ' \t})]?|/&,;¢°′″‰℃、。。、¢,.:;?!%・・ゝゞヽヾーァィゥェォッャュョヮヵヶぁぃぅぇぉっゃゅょゎゕゖㇰㇱㇲㇳㇴㇵㇶㇷㇸㇹㇺㇻㇼㇽㇾㇿ々〻ァィゥェォャュョッー”〉》」』】〕)]}」', wordWrapBreakObtrusiveCharacters: '.', autoClosingBrackets: 'languageDefined', autoClosingQuotes: 'languageDefined', autoSurround: 'languageDefined', autoIndent: true, dragAndDrop: true, emptySelectionClipboard: true, copyWithSyntaxHighlighting: true, useTabStops: true, multiCursorModifier: 'altKey', multiCursorMergeOverlapping: true, accessibilitySupport: 'auto', showUnused: true, viewInfo: { extraEditorClassName: '', disableMonospaceOptimizations: false, rulers: [], ariaLabel: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorViewAccessibleLabel', "Editor content"), renderLineNumbers: 1 /* On */, renderCustomLineNumbers: null, renderFinalNewline: (__WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["c" /* isLinux */] ? false : true), selectOnLineNumbers: true, glyphMargin: true, revealHorizontalRightPadding: 30, roundedSelection: true, overviewRulerLanes: 2, overviewRulerBorder: true, cursorBlinking: 1 /* Blink */, mouseWheelZoom: false, cursorSmoothCaretAnimation: false, cursorStyle: TextEditorCursorStyle.Line, cursorWidth: 0, hideCursorInOverviewRuler: false, scrollBeyondLastLine: true, scrollBeyondLastColumn: 5, smoothScrolling: false, stopRenderingLineAfter: 10000, renderWhitespace: 'none', renderControlCharacters: false, fontLigatures: false, renderIndentGuides: true, highlightActiveIndentGuide: true, renderLineHighlight: 'line', scrollbar: { vertical: 1 /* Auto */, horizontal: 1 /* Auto */, arrowSize: 11, useShadows: true, verticalHasArrows: false, horizontalHasArrows: false, horizontalScrollbarSize: 10, horizontalSliderSize: 10, verticalScrollbarSize: 14, verticalSliderSize: 14, handleMouseWheel: true, mouseWheelScrollSensitivity: 1, fastScrollSensitivity: 5, }, minimap: { enabled: true, side: 'right', showSlider: 'mouseover', renderCharacters: true, maxColumn: 120 }, fixedOverflowWidgets: false, }, contribInfo: { selectionClipboard: true, hover: { enabled: true, delay: 300, sticky: true }, links: true, contextmenu: true, quickSuggestions: { other: true, comments: false, strings: false }, quickSuggestionsDelay: 10, parameterHints: { enabled: true, cycle: false }, iconsInSuggestions: true, formatOnType: false, formatOnPaste: false, suggestOnTriggerCharacters: true, acceptSuggestionOnEnter: 'on', acceptSuggestionOnCommitCharacter: true, wordBasedSuggestions: true, suggestSelection: 'recentlyUsed', suggestFontSize: 0, suggestLineHeight: 0, tabCompletion: 'off', suggest: { filterGraceful: true, snippets: 'inline', snippetsPreventQuickSuggestions: true, localityBonus: false, shareSuggestSelections: false }, selectionHighlight: true, occurrencesHighlight: true, codeLens: true, folding: true, foldingStrategy: 'auto', showFoldingControls: 'mouseover', matchBrackets: true, find: { seedSearchStringFromSelection: true, autoFindInSelection: false, globalFindClipboard: false, addExtraSpaceOnTop: true }, colorDecorators: true, lightbulbEnabled: true, codeActionsOnSave: {}, codeActionsOnSaveTimeout: 750 }, }; /***/ }), /***/ 1288: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["b"] = deepClone; /* harmony export (immutable) */ __webpack_exports__["c"] = deepFreeze; /* unused harmony export cloneAndChange */ /* harmony export (immutable) */ __webpack_exports__["f"] = mixin; /* unused harmony export assign */ /* harmony export (immutable) */ __webpack_exports__["d"] = equals; /* harmony export (immutable) */ __webpack_exports__["a"] = createKeywordMatcher; /* harmony export (immutable) */ __webpack_exports__["e"] = getOrDefault; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__types_js__ = __webpack_require__(1057); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function deepClone(obj) { if (!obj || typeof obj !== 'object') { return obj; } if (obj instanceof RegExp) { // See https://github.com/Microsoft/TypeScript/issues/10990 return obj; } var result = Array.isArray(obj) ? [] : {}; Object.keys(obj).forEach(function (key) { if (obj[key] && typeof obj[key] === 'object') { result[key] = deepClone(obj[key]); } else { result[key] = obj[key]; } }); return result; } function deepFreeze(obj) { if (!obj || typeof obj !== 'object') { return obj; } var stack = [obj]; while (stack.length > 0) { var obj_1 = stack.shift(); Object.freeze(obj_1); for (var key in obj_1) { if (_hasOwnProperty.call(obj_1, key)) { var prop = obj_1[key]; if (typeof prop === 'object' && !Object.isFrozen(prop)) { stack.push(prop); } } } } return obj; } var _hasOwnProperty = Object.prototype.hasOwnProperty; function cloneAndChange(obj, changer) { return _cloneAndChange(obj, changer, new Set()); } function _cloneAndChange(obj, changer, seen) { if (Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["k" /* isUndefinedOrNull */])(obj)) { return obj; } var changed = changer(obj); if (typeof changed !== 'undefined') { return changed; } if (Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["c" /* isArray */])(obj)) { var r1 = []; for (var _i = 0, obj_2 = obj; _i < obj_2.length; _i++) { var e = obj_2[_i]; r1.push(_cloneAndChange(e, changer, seen)); } return r1; } if (Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["h" /* isObject */])(obj)) { if (seen.has(obj)) { throw new Error('Cannot clone recursive data-structure'); } seen.add(obj); var r2 = {}; for (var i2 in obj) { if (_hasOwnProperty.call(obj, i2)) { r2[i2] = _cloneAndChange(obj[i2], changer, seen); } } seen.delete(obj); return r2; } return obj; } /** * Copies all properties of source into destination. The optional parameter "overwrite" allows to control * if existing properties on the destination should be overwritten or not. Defaults to true (overwrite). */ function mixin(destination, source, overwrite) { if (overwrite === void 0) { overwrite = true; } if (!Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["h" /* isObject */])(destination)) { return source; } if (Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["h" /* isObject */])(source)) { Object.keys(source).forEach(function (key) { if (key in destination) { if (overwrite) { if (Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["h" /* isObject */])(destination[key]) && Object(__WEBPACK_IMPORTED_MODULE_0__types_js__["h" /* isObject */])(source[key])) { mixin(destination[key], source[key], overwrite); } else { destination[key] = source[key]; } } } else { destination[key] = source[key]; } }); } return destination; } function assign(destination) { var sources = []; for (var _i = 1; _i < arguments.length; _i++) { sources[_i - 1] = arguments[_i]; } sources.forEach(function (source) { return Object.keys(source).forEach(function (key) { return destination[key] = source[key]; }); }); return destination; } function equals(one, other) { if (one === other) { return true; } if (one === null || one === undefined || other === null || other === undefined) { return false; } if (typeof one !== typeof other) { return false; } if (typeof one !== 'object') { return false; } if ((Array.isArray(one)) !== (Array.isArray(other))) { return false; } var i; var key; if (Array.isArray(one)) { if (one.length !== other.length) { return false; } for (i = 0; i < one.length; i++) { if (!equals(one[i], other[i])) { return false; } } } else { var oneKeys = []; for (key in one) { oneKeys.push(key); } oneKeys.sort(); var otherKeys = []; for (key in other) { otherKeys.push(key); } otherKeys.sort(); if (!equals(oneKeys, otherKeys)) { return false; } for (i = 0; i < oneKeys.length; i++) { if (!equals(one[oneKeys[i]], other[oneKeys[i]])) { return false; } } } return true; } function arrayToHash(array) { var result = {}; for (var _i = 0, array_1 = array; _i < array_1.length; _i++) { var e = array_1[_i]; result[e] = true; } return result; } /** * Given an array of strings, returns a function which, given a string * returns true or false whether the string is in that array. */ function createKeywordMatcher(arr, caseInsensitive) { if (caseInsensitive === void 0) { caseInsensitive = false; } if (caseInsensitive) { arr = arr.map(function (x) { return x.toLowerCase(); }); } var hash = arrayToHash(arr); if (caseInsensitive) { return function (word) { return hash[word.toLowerCase()] !== undefined && hash.hasOwnProperty(word.toLowerCase()); }; } else { return function (word) { return hash[word] !== undefined && hash.hasOwnProperty(word); }; } } function getOrDefault(obj, fn, defaultValue) { var result = fn(obj); return typeof result === 'undefined' ? defaultValue : result; } /***/ }), /***/ 1289: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ICodeEditorService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ICodeEditorService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('codeEditorService'); /***/ }), /***/ 1290: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IConfigurationService; }); /* harmony export (immutable) */ __webpack_exports__["i"] = toValuesTree; /* harmony export (immutable) */ __webpack_exports__["b"] = addToValueTree; /* harmony export (immutable) */ __webpack_exports__["h"] = removeFromValueTree; /* harmony export (immutable) */ __webpack_exports__["d"] = getConfigurationValue; /* harmony export (immutable) */ __webpack_exports__["c"] = getConfigurationKeys; /* harmony export (immutable) */ __webpack_exports__["e"] = getDefaultValues; /* harmony export (immutable) */ __webpack_exports__["g"] = overrideIdentifierFromKey; /* harmony export (immutable) */ __webpack_exports__["f"] = getMigratedSettingValue; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__configurationRegistry_js__ = __webpack_require__(1395); var IConfigurationService = Object(__WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__["c" /* createDecorator */])('configurationService'); function toValuesTree(properties, conflictReporter) { var root = Object.create(null); for (var key in properties) { addToValueTree(root, key, properties[key], conflictReporter); } return root; } function addToValueTree(settingsTreeRoot, key, value, conflictReporter) { var segments = key.split('.'); var last = segments.pop(); var curr = settingsTreeRoot; for (var i = 0; i < segments.length; i++) { var s = segments[i]; var obj = curr[s]; switch (typeof obj) { case 'undefined': obj = curr[s] = Object.create(null); break; case 'object': break; default: conflictReporter("Ignoring " + key + " as " + segments.slice(0, i + 1).join('.') + " is " + JSON.stringify(obj)); return; } curr = obj; } if (typeof curr === 'object') { curr[last] = value; // workaround https://github.com/Microsoft/vscode/issues/13606 } else { conflictReporter("Ignoring " + key + " as " + segments.join('.') + " is " + JSON.stringify(curr)); } } function removeFromValueTree(valueTree, key) { var segments = key.split('.'); doRemoveFromValueTree(valueTree, segments); } function doRemoveFromValueTree(valueTree, segments) { var first = segments.shift(); if (segments.length === 0) { // Reached last segment delete valueTree[first]; return; } if (Object.keys(valueTree).indexOf(first) !== -1) { var value = valueTree[first]; if (typeof value === 'object' && !Array.isArray(value)) { doRemoveFromValueTree(value, segments); if (Object.keys(value).length === 0) { delete valueTree[first]; } } } } /** * A helper function to get the configuration value with a specific settings path (e.g. config.some.setting) */ function getConfigurationValue(config, settingPath, defaultValue) { function accessSetting(config, path) { var current = config; for (var _i = 0, path_1 = path; _i < path_1.length; _i++) { var component = path_1[_i]; if (typeof current !== 'object' || current === null) { return undefined; } current = current[component]; } return current; } var path = settingPath.split('.'); var result = accessSetting(config, path); return typeof result === 'undefined' ? defaultValue : result; } function getConfigurationKeys() { var properties = __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_2__configurationRegistry_js__["a" /* Extensions */].Configuration).getConfigurationProperties(); return Object.keys(properties); } function getDefaultValues() { var valueTreeRoot = Object.create(null); var properties = __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_2__configurationRegistry_js__["a" /* Extensions */].Configuration).getConfigurationProperties(); for (var key in properties) { var value = properties[key].default; addToValueTree(valueTreeRoot, key, value, function (message) { return console.error("Conflict in default settings: " + message); }); } return valueTreeRoot; } function overrideIdentifierFromKey(key) { return key.substring(1, key.length - 1); } function getMigratedSettingValue(configurationService, currentSettingName, legacySettingName) { var setting = configurationService.inspect(currentSettingName); var legacySetting = configurationService.inspect(legacySettingName); if (typeof setting.user !== 'undefined' || typeof setting.workspace !== 'undefined' || typeof setting.workspaceFolder !== 'undefined') { return setting.value; } else if (typeof legacySetting.user !== 'undefined' || typeof legacySetting.workspace !== 'undefined' || typeof legacySetting.workspaceFolder !== 'undefined') { return legacySetting.value; } else { return setting.default; } } /***/ }), /***/ 1291: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Extensions; }); /* harmony export (immutable) */ __webpack_exports__["_3"] = registerColor; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "t", function() { return foreground; }); /* unused harmony export errorForeground */ /* unused harmony export focusBorder */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return contrastBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return activeContrastBorder; }); /* unused harmony export textLinkForeground */ /* unused harmony export textCodeBlockBackground */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_8", function() { return widgetShadow; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "u", function() { return inputBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "w", function() { return inputForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "v", function() { return inputBorder; }); /* unused harmony export inputActiveOptionBorder */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "A", function() { return inputValidationInfoBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "C", function() { return inputValidationInfoForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "B", function() { return inputValidationInfoBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "D", function() { return inputValidationWarningBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "F", function() { return inputValidationWarningForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "E", function() { return inputValidationWarningBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "x", function() { return inputValidationErrorBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "z", function() { return inputValidationErrorForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "y", function() { return inputValidationErrorBorder; }); /* unused harmony export selectBackground */ /* unused harmony export selectForeground */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "M", function() { return listFocusBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "N", function() { return listFocusForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "G", function() { return listActiveSelectionBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "H", function() { return listActiveSelectionForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "R", function() { return listInactiveSelectionBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "S", function() { return listInactiveSelectionForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Q", function() { return listInactiveFocusBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "O", function() { return listHoverBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "P", function() { return listHoverForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "I", function() { return listDropBackground; }); /* unused harmony export listHighlightForeground */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "J", function() { return listFilterWidgetBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "L", function() { return listFilterWidgetOutline; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "K", function() { return listFilterWidgetNoMatchesOutline; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_1", function() { return pickerGroupForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_0", function() { return pickerGroupBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return badgeBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return badgeForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_4", function() { return scrollbarShadow; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_6", function() { return scrollbarSliderBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_7", function() { return scrollbarSliderHoverBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_5", function() { return scrollbarSliderActiveBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "_2", function() { return progressBarBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "U", function() { return menuBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "V", function() { return menuForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "T", function() { return menuBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Y", function() { return menuSelectionForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "W", function() { return menuSelectionBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "X", function() { return menuSelectionBorder; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Z", function() { return menuSeparatorBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return editorBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "o", function() { return editorForeground; }); /* unused harmony export editorWidgetBackground */ /* unused harmony export editorWidgetBorder */ /* unused harmony export editorWidgetResizeBorder */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "q", function() { return editorSelectionBackground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "r", function() { return editorSelectionForeground; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "p", function() { return editorInactiveSelection; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "s", function() { return editorSelectionHighlight; }); /* unused harmony export editorSelectionHighlightBorder */ /* unused harmony export editorFindMatch */ /* unused harmony export editorFindMatchHighlight */ /* unused harmony export editorFindRangeHighlight */ /* unused harmony export editorFindMatchBorder */ /* unused harmony export editorFindMatchHighlightBorder */ /* unused harmony export editorFindRangeHighlightBorder */ /* unused harmony export editorHoverHighlight */ /* unused harmony export editorHoverBackground */ /* unused harmony export editorHoverBorder */ /* unused harmony export editorHoverStatusBarBackground */ /* unused harmony export editorActiveLinkForeground */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return defaultInsertColor; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return defaultRemoveColor; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return diffInserted; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return diffRemoved; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return diffInsertedOutline; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return diffRemovedOutline; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return diffBorder; }); /* unused harmony export snippetTabstopHighlightBackground */ /* unused harmony export snippetTabstopHighlightBorder */ /* unused harmony export snippetFinalTabstopHighlightBackground */ /* unused harmony export snippetFinalTabstopHighlightBorder */ /* unused harmony export overviewRulerFindMatchForeground */ /* unused harmony export overviewRulerSelectionHighlightForeground */ /* harmony export (immutable) */ __webpack_exports__["f"] = darken; /* unused harmony export lighten */ /* unused harmony export transparent */ /* unused harmony export oneOf */ /* unused harmony export workbenchColorsSchemaId */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__ = __webpack_require__(1331); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__jsonschemas_common_jsonContributionRegistry_js__ = __webpack_require__(1692); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_async_js__ = __webpack_require__(1021); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // color registry var Extensions = { ColorContribution: 'base.contributions.colors' }; var ColorRegistry = /** @class */ (function () { function ColorRegistry() { this._onDidChangeSchema = new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */](); this.onDidChangeSchema = this._onDidChangeSchema.event; this.colorSchema = { type: 'object', properties: {} }; this.colorReferenceSchema = { type: 'string', enum: [], enumDescriptions: [] }; this.colorsById = {}; } ColorRegistry.prototype.registerColor = function (id, defaults, description, needsTransparency, deprecationMessage) { if (needsTransparency === void 0) { needsTransparency = false; } var colorContribution = { id: id, description: description, defaults: defaults, needsTransparency: needsTransparency, deprecationMessage: deprecationMessage }; this.colorsById[id] = colorContribution; var propertySchema = { type: 'string', description: description, format: 'color-hex', default: '#ff0000' }; if (deprecationMessage) { propertySchema.deprecationMessage = deprecationMessage; } this.colorSchema.properties[id] = propertySchema; this.colorReferenceSchema.enum.push(id); this.colorReferenceSchema.enumDescriptions.push(description); this._onDidChangeSchema.fire(); return id; }; ColorRegistry.prototype.resolveDefaultColor = function (id, theme) { var colorDesc = this.colorsById[id]; if (colorDesc && colorDesc.defaults) { var colorValue = colorDesc.defaults[theme.type]; return resolveColorValue(colorValue, theme); } return undefined; }; ColorRegistry.prototype.getColorSchema = function () { return this.colorSchema; }; ColorRegistry.prototype.toString = function () { var _this = this; var sorter = function (a, b) { var cat1 = a.indexOf('.') === -1 ? 0 : 1; var cat2 = b.indexOf('.') === -1 ? 0 : 1; if (cat1 !== cat2) { return cat1 - cat2; } return a.localeCompare(b); }; return Object.keys(this.colorsById).sort(sorter).map(function (k) { return "- `" + k + "`: " + _this.colorsById[k].description; }).join('\n'); }; return ColorRegistry; }()); var colorRegistry = new ColorRegistry(); __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__["a" /* Registry */].add(Extensions.ColorContribution, colorRegistry); function registerColor(id, defaults, description, needsTransparency, deprecationMessage) { return colorRegistry.registerColor(id, defaults, description, needsTransparency, deprecationMessage); } // ----- base colors var foreground = registerColor('foreground', { dark: '#CCCCCC', light: '#616161', hc: '#FFFFFF' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('foreground', "Overall foreground color. This color is only used if not overridden by a component.")); var errorForeground = registerColor('errorForeground', { dark: '#F48771', light: '#A1260D', hc: '#F48771' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('errorForeground', "Overall foreground color for error messages. This color is only used if not overridden by a component.")); var focusBorder = registerColor('focusBorder', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#0E639C').transparent(0.8), light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#007ACC').transparent(0.4), hc: '#F38518' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('focusBorder', "Overall border color for focused elements. This color is only used if not overridden by a component.")); var contrastBorder = registerColor('contrastBorder', { light: null, dark: null, hc: '#6FC3DF' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('contrastBorder', "An extra border around elements to separate them from others for greater contrast.")); var activeContrastBorder = registerColor('contrastActiveBorder', { light: null, dark: null, hc: focusBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('activeContrastBorder', "An extra border around active elements to separate them from others for greater contrast.")); var textLinkForeground = registerColor('textLink.foreground', { light: '#006AB1', dark: '#3794FF', hc: '#3794FF' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('textLinkForeground', "Foreground color for links in text.")); var textCodeBlockBackground = registerColor('textCodeBlock.background', { light: '#dcdcdc66', dark: '#0a0a0a66', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('textCodeBlockBackground', "Background color for code blocks in text.")); // ----- widgets var widgetShadow = registerColor('widget.shadow', { dark: '#000000', light: '#A8A8A8', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('widgetShadow', 'Shadow color of widgets such as find/replace inside the editor.')); var inputBackground = registerColor('input.background', { dark: '#3C3C3C', light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputBoxBackground', "Input box background.")); var inputForeground = registerColor('input.foreground', { dark: foreground, light: foreground, hc: foreground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputBoxForeground', "Input box foreground.")); var inputBorder = registerColor('input.border', { dark: null, light: null, hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputBoxBorder', "Input box border.")); var inputActiveOptionBorder = registerColor('inputOption.activeBorder', { dark: '#007ACC', light: '#007ACC', hc: activeContrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputBoxActiveOptionBorder', "Border color of activated options in input fields.")); var inputValidationInfoBackground = registerColor('inputValidation.infoBackground', { dark: '#063B49', light: '#D6ECF2', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationInfoBackground', "Input validation background color for information severity.")); var inputValidationInfoForeground = registerColor('inputValidation.infoForeground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationInfoForeground', "Input validation foreground color for information severity.")); var inputValidationInfoBorder = registerColor('inputValidation.infoBorder', { dark: '#007acc', light: '#007acc', hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationInfoBorder', "Input validation border color for information severity.")); var inputValidationWarningBackground = registerColor('inputValidation.warningBackground', { dark: '#352A05', light: '#F6F5D2', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationWarningBackground', "Input validation background color for warning severity.")); var inputValidationWarningForeground = registerColor('inputValidation.warningForeground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationWarningForeground', "Input validation foreground color for warning severity.")); var inputValidationWarningBorder = registerColor('inputValidation.warningBorder', { dark: '#B89500', light: '#B89500', hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationWarningBorder', "Input validation border color for warning severity.")); var inputValidationErrorBackground = registerColor('inputValidation.errorBackground', { dark: '#5A1D1D', light: '#F2DEDE', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationErrorBackground', "Input validation background color for error severity.")); var inputValidationErrorForeground = registerColor('inputValidation.errorForeground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationErrorForeground', "Input validation foreground color for error severity.")); var inputValidationErrorBorder = registerColor('inputValidation.errorBorder', { dark: '#BE1100', light: '#BE1100', hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('inputValidationErrorBorder', "Input validation border color for error severity.")); var selectBackground = registerColor('dropdown.background', { dark: '#3C3C3C', light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('dropdownBackground', "Dropdown background.")); var selectForeground = registerColor('dropdown.foreground', { dark: '#F0F0F0', light: null, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('dropdownForeground', "Dropdown foreground.")); var listFocusBackground = registerColor('list.focusBackground', { dark: '#062F4A', light: '#D6EBFF', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listFocusBackground', "List/Tree background color for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.")); var listFocusForeground = registerColor('list.focusForeground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listFocusForeground', "List/Tree foreground color for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.")); var listActiveSelectionBackground = registerColor('list.activeSelectionBackground', { dark: '#094771', light: '#0074E8', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listActiveSelectionBackground', "List/Tree background color for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.")); var listActiveSelectionForeground = registerColor('list.activeSelectionForeground', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white, light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listActiveSelectionForeground', "List/Tree foreground color for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.")); var listInactiveSelectionBackground = registerColor('list.inactiveSelectionBackground', { dark: '#37373D', light: '#E4E6F1', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listInactiveSelectionBackground', "List/Tree background color for the selected item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.")); var listInactiveSelectionForeground = registerColor('list.inactiveSelectionForeground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listInactiveSelectionForeground', "List/Tree foreground color for the selected item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.")); var listInactiveFocusBackground = registerColor('list.inactiveFocusBackground', { dark: '#313135', light: '#d8dae6', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listInactiveFocusBackground', "List/Tree background color for the focused item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.")); var listHoverBackground = registerColor('list.hoverBackground', { dark: '#2A2D2E', light: '#F0F0F0', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listHoverBackground', "List/Tree background when hovering over items using the mouse.")); var listHoverForeground = registerColor('list.hoverForeground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listHoverForeground', "List/Tree foreground when hovering over items using the mouse.")); var listDropBackground = registerColor('list.dropBackground', { dark: listFocusBackground, light: listFocusBackground, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listDropBackground', "List/Tree drag and drop background when moving items around using the mouse.")); var listHighlightForeground = registerColor('list.highlightForeground', { dark: '#0097fb', light: '#0066BF', hc: focusBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('highlight', 'List/Tree foreground color of the match highlights when searching inside the list/tree.')); var listFilterWidgetBackground = registerColor('listFilterWidget.background', { light: '#efc1ad', dark: '#653723', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listFilterWidgetBackground', 'Background color of the type filter widget in lists and trees.')); var listFilterWidgetOutline = registerColor('listFilterWidget.outline', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].transparent, light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].transparent, hc: '#f38518' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listFilterWidgetOutline', 'Outline color of the type filter widget in lists and trees.')); var listFilterWidgetNoMatchesOutline = registerColor('listFilterWidget.noMatchesOutline', { dark: '#BE1100', light: '#BE1100', hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('listFilterWidgetNoMatchesOutline', 'Outline color of the type filter widget in lists and trees, when there are no matches.')); var pickerGroupForeground = registerColor('pickerGroup.foreground', { dark: '#3794FF', light: '#0066BF', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('pickerGroupForeground', "Quick picker color for grouping labels.")); var pickerGroupBorder = registerColor('pickerGroup.border', { dark: '#3F3F46', light: '#CCCEDB', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('pickerGroupBorder', "Quick picker color for grouping borders.")); var badgeBackground = registerColor('badge.background', { dark: '#4D4D4D', light: '#C4C4C4', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('badgeBackground', "Badge background color. Badges are small information labels, e.g. for search results count.")); var badgeForeground = registerColor('badge.foreground', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white, light: '#333', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('badgeForeground', "Badge foreground color. Badges are small information labels, e.g. for search results count.")); var scrollbarShadow = registerColor('scrollbar.shadow', { dark: '#000000', light: '#DDDDDD', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('scrollbarShadow', "Scrollbar shadow to indicate that the view is scrolled.")); var scrollbarSliderBackground = registerColor('scrollbarSlider.background', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#797979').transparent(0.4), light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#646464').transparent(0.4), hc: transparent(contrastBorder, 0.6) }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('scrollbarSliderBackground', "Scrollbar slider background color.")); var scrollbarSliderHoverBackground = registerColor('scrollbarSlider.hoverBackground', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#646464').transparent(0.7), light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#646464').transparent(0.7), hc: transparent(contrastBorder, 0.8) }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('scrollbarSliderHoverBackground', "Scrollbar slider background color when hovering.")); var scrollbarSliderActiveBackground = registerColor('scrollbarSlider.activeBackground', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#BFBFBF').transparent(0.4), light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#000000').transparent(0.6), hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('scrollbarSliderActiveBackground', "Scrollbar slider background color when clicked on.")); var progressBarBackground = registerColor('progressBar.background', { dark: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#0E70C0'), light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex('#0E70C0'), hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('progressBarBackground', "Background color of the progress bar that can show for long running operations.")); var menuBorder = registerColor('menu.border', { dark: null, light: null, hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuBorder', "Border color of menus.")); var menuForeground = registerColor('menu.foreground', { dark: selectForeground, light: foreground, hc: selectForeground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuForeground', "Foreground color of menu items.")); var menuBackground = registerColor('menu.background', { dark: selectBackground, light: selectBackground, hc: selectBackground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuBackground', "Background color of menu items.")); var menuSelectionForeground = registerColor('menu.selectionForeground', { dark: listActiveSelectionForeground, light: listActiveSelectionForeground, hc: listActiveSelectionForeground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuSelectionForeground', "Foreground color of the selected menu item in menus.")); var menuSelectionBackground = registerColor('menu.selectionBackground', { dark: listActiveSelectionBackground, light: listActiveSelectionBackground, hc: listActiveSelectionBackground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuSelectionBackground', "Background color of the selected menu item in menus.")); var menuSelectionBorder = registerColor('menu.selectionBorder', { dark: null, light: null, hc: activeContrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuSelectionBorder', "Border color of the selected menu item in menus.")); var menuSeparatorBackground = registerColor('menu.separatorBackground', { dark: '#BBBBBB', light: '#888888', hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('menuSeparatorBackground', "Color of a separator menu item in menus.")); /** * Editor background color. * Because of bug https://monacotools.visualstudio.com/DefaultCollection/Monaco/_workitems/edit/13254 * we are *not* using the color white (or #ffffff, rgba(255,255,255)) but something very close to white. */ var editorBackground = registerColor('editor.background', { light: '#fffffe', dark: '#1E1E1E', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].black }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorBackground', "Editor background color.")); /** * Editor foreground color. */ var editorForeground = registerColor('editor.foreground', { light: '#333333', dark: '#BBBBBB', hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].white }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorForeground', "Editor default foreground color.")); /** * Editor widgets */ var editorWidgetBackground = registerColor('editorWidget.background', { dark: '#252526', light: '#F3F3F3', hc: '#0C141F' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorWidgetBackground', 'Background color of editor widgets, such as find/replace.')); var editorWidgetBorder = registerColor('editorWidget.border', { dark: '#454545', light: '#C8C8C8', hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorWidgetBorder', 'Border color of editor widgets. The color is only used if the widget chooses to have a border and if the color is not overridden by a widget.')); var editorWidgetResizeBorder = registerColor('editorWidget.resizeBorder', { light: null, dark: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorWidgetResizeBorder', "Border color of the resize bar of editor widgets. The color is only used if the widget chooses to have a resize border and if the color is not overridden by a widget.")); /** * Editor selection colors. */ var editorSelectionBackground = registerColor('editor.selectionBackground', { light: '#ADD6FF', dark: '#264F78', hc: '#f3f518' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorSelectionBackground', "Color of the editor selection.")); var editorSelectionForeground = registerColor('editor.selectionForeground', { light: null, dark: null, hc: '#000000' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorSelectionForeground', "Color of the selected text for high contrast.")); var editorInactiveSelection = registerColor('editor.inactiveSelectionBackground', { light: transparent(editorSelectionBackground, 0.5), dark: transparent(editorSelectionBackground, 0.5), hc: transparent(editorSelectionBackground, 0.5) }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorInactiveSelection', "Color of the selection in an inactive editor. The color must not be opaque so as not to hide underlying decorations."), true); var editorSelectionHighlight = registerColor('editor.selectionHighlightBackground', { light: lessProminent(editorSelectionBackground, editorBackground, 0.3, 0.6), dark: lessProminent(editorSelectionBackground, editorBackground, 0.3, 0.6), hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorSelectionHighlight', 'Color for regions with the same content as the selection. The color must not be opaque so as not to hide underlying decorations.'), true); var editorSelectionHighlightBorder = registerColor('editor.selectionHighlightBorder', { light: null, dark: null, hc: activeContrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorSelectionHighlightBorder', "Border color for regions with the same content as the selection.")); /** * Editor find match colors. */ var editorFindMatch = registerColor('editor.findMatchBackground', { light: '#A8AC94', dark: '#515C6A', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorFindMatch', "Color of the current search match.")); var editorFindMatchHighlight = registerColor('editor.findMatchHighlightBackground', { light: '#EA5C0055', dark: '#EA5C0055', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('findMatchHighlight', "Color of the other search matches. The color must not be opaque so as not to hide underlying decorations."), true); var editorFindRangeHighlight = registerColor('editor.findRangeHighlightBackground', { dark: '#3a3d4166', light: '#b4b4b44d', hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('findRangeHighlight', "Color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations."), true); var editorFindMatchBorder = registerColor('editor.findMatchBorder', { light: null, dark: null, hc: activeContrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('editorFindMatchBorder', "Border color of the current search match.")); var editorFindMatchHighlightBorder = registerColor('editor.findMatchHighlightBorder', { light: null, dark: null, hc: activeContrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('findMatchHighlightBorder', "Border color of the other search matches.")); var editorFindRangeHighlightBorder = registerColor('editor.findRangeHighlightBorder', { dark: null, light: null, hc: transparent(activeContrastBorder, 0.4) }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('findRangeHighlightBorder', "Border color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations."), true); /** * Editor hover */ var editorHoverHighlight = registerColor('editor.hoverHighlightBackground', { light: '#ADD6FF26', dark: '#264f7840', hc: '#ADD6FF26' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('hoverHighlight', 'Highlight below the word for which a hover is shown. The color must not be opaque so as not to hide underlying decorations.'), true); var editorHoverBackground = registerColor('editorHoverWidget.background', { light: editorWidgetBackground, dark: editorWidgetBackground, hc: editorWidgetBackground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('hoverBackground', 'Background color of the editor hover.')); var editorHoverBorder = registerColor('editorHoverWidget.border', { light: editorWidgetBorder, dark: editorWidgetBorder, hc: editorWidgetBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('hoverBorder', 'Border color of the editor hover.')); var editorHoverStatusBarBackground = registerColor('editorHoverWidget.statusBarBackground', { dark: lighten(editorHoverBackground, 0.2), light: darken(editorHoverBackground, 0.05), hc: editorWidgetBackground }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('statusBarBackground', "Background color of the editor hover status bar.")); /** * Editor link colors */ var editorActiveLinkForeground = registerColor('editorLink.activeForeground', { dark: '#4E94CE', light: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].blue, hc: __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].cyan }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('activeLinkForeground', 'Color of active links.')); /** * Diff Editor Colors */ var defaultInsertColor = new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](155, 185, 85, 0.2)); var defaultRemoveColor = new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](255, 0, 0, 0.2)); var diffInserted = registerColor('diffEditor.insertedTextBackground', { dark: defaultInsertColor, light: defaultInsertColor, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('diffEditorInserted', 'Background color for text that got inserted. The color must not be opaque so as not to hide underlying decorations.'), true); var diffRemoved = registerColor('diffEditor.removedTextBackground', { dark: defaultRemoveColor, light: defaultRemoveColor, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('diffEditorRemoved', 'Background color for text that got removed. The color must not be opaque so as not to hide underlying decorations.'), true); var diffInsertedOutline = registerColor('diffEditor.insertedTextBorder', { dark: null, light: null, hc: '#33ff2eff' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('diffEditorInsertedOutline', 'Outline color for the text that got inserted.')); var diffRemovedOutline = registerColor('diffEditor.removedTextBorder', { dark: null, light: null, hc: '#FF008F' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('diffEditorRemovedOutline', 'Outline color for text that got removed.')); var diffBorder = registerColor('diffEditor.border', { dark: null, light: null, hc: contrastBorder }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('diffEditorBorder', 'Border color between the two text editors.')); /** * Snippet placeholder colors */ var snippetTabstopHighlightBackground = registerColor('editor.snippetTabstopHighlightBackground', { dark: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](124, 124, 124, 0.3)), light: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](10, 50, 100, 0.2)), hc: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](124, 124, 124, 0.3)) }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('snippetTabstopHighlightBackground', "Highlight background color of a snippet tabstop.")); var snippetTabstopHighlightBorder = registerColor('editor.snippetTabstopHighlightBorder', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('snippetTabstopHighlightBorder', "Highlight border color of a snippet tabstop.")); var snippetFinalTabstopHighlightBackground = registerColor('editor.snippetFinalTabstopHighlightBackground', { dark: null, light: null, hc: null }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('snippetFinalTabstopHighlightBackground', "Highlight background color of the final tabstop of a snippet.")); var snippetFinalTabstopHighlightBorder = registerColor('editor.snippetFinalTabstopHighlightBorder', { dark: '#525252', light: new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](10, 50, 100, 0.5)), hc: '#525252' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('snippetFinalTabstopHighlightBorder', "Highlight border color of the final stabstop of a snippet.")); var findMatchColorDefault = new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */](new __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["b" /* RGBA */](246, 185, 77, 0.7)); var overviewRulerFindMatchForeground = registerColor('editorOverviewRuler.findMatchForeground', { dark: findMatchColorDefault, light: findMatchColorDefault, hc: findMatchColorDefault }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('overviewRulerFindMatchForeground', 'Overview ruler marker color for find matches. The color must not be opaque so as not to hide underlying decorations.'), true); var overviewRulerSelectionHighlightForeground = registerColor('editorOverviewRuler.selectionHighlightForeground', { dark: '#A0A0A0CC', light: '#A0A0A0CC', hc: '#A0A0A0CC' }, __WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */]('overviewRulerSelectionHighlightForeground', 'Overview ruler marker color for selection highlights. The color must not be opaque so as not to hide underlying decorations.'), true); // ----- color functions function darken(colorValue, factor) { return function (theme) { var color = resolveColorValue(colorValue, theme); if (color) { return color.darken(factor); } return undefined; }; } function lighten(colorValue, factor) { return function (theme) { var color = resolveColorValue(colorValue, theme); if (color) { return color.lighten(factor); } return undefined; }; } function transparent(colorValue, factor) { return function (theme) { var color = resolveColorValue(colorValue, theme); if (color) { return color.transparent(factor); } return undefined; }; } function oneOf() { var colorValues = []; for (var _i = 0; _i < arguments.length; _i++) { colorValues[_i] = arguments[_i]; } return function (theme) { for (var _i = 0, colorValues_1 = colorValues; _i < colorValues_1.length; _i++) { var colorValue = colorValues_1[_i]; var color = resolveColorValue(colorValue, theme); if (color) { return color; } } return undefined; }; } function lessProminent(colorValue, backgroundColorValue, factor, transparency) { return function (theme) { var from = resolveColorValue(colorValue, theme); if (from) { var backgroundColor = resolveColorValue(backgroundColorValue, theme); if (backgroundColor) { if (from.isDarkerThan(backgroundColor)) { return __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].getLighterColor(from, backgroundColor, factor).transparent(transparency); } return __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].getDarkerColor(from, backgroundColor, factor).transparent(transparency); } return from.transparent(factor * transparency); } return undefined; }; } // ----- implementation /** * @param colorValue Resolve a color value in the context of a theme */ function resolveColorValue(colorValue, theme) { if (colorValue === null) { return undefined; } else if (typeof colorValue === 'string') { if (colorValue[0] === '#') { return __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex(colorValue); } return theme.getColor(colorValue); } else if (colorValue instanceof __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */]) { return colorValue; } else if (typeof colorValue === 'function') { return colorValue(theme); } return undefined; } var workbenchColorsSchemaId = 'vscode://schemas/workbench-colors'; var schemaRegistry = __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_4__jsonschemas_common_jsonContributionRegistry_js__["a" /* Extensions */].JSONContribution); schemaRegistry.registerSchema(workbenchColorsSchemaId, colorRegistry.getColorSchema()); var delayer = new __WEBPACK_IMPORTED_MODULE_5__base_common_async_js__["c" /* RunOnceScheduler */](function () { return schemaRegistry.notifySchemaChanged(workbenchColorsSchemaId); }, 200); colorRegistry.onDidChangeSchema(function () { if (!delayer.isScheduled()) { delayer.schedule(); } }); // setTimeout(_ => console.log(colorRegistry.toString()), 5000); /***/ }), /***/ 1301: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".courseForm .formBlock{padding:20px 30px 30px;border-bottom:1px solid #ededed;margin-bottom:0;background:#fff}.courseForm .noBorder{border-bottom:none}.edu-class-container{width:1200px;margin:10px auto 20px}.courseForm .ant-form-item-label{margin-left:-10px}.courseForm .notRequired .ant-form-item-label{margin-left:0}.courseForm .ant-input:focus{border-color:#40a9ff}@media (min-width:576px){.courseForm .ant-col-sm-24{text-align:left}}.ant-form-item-control-wrapper.ant-col-xs-24.ant-col-sm-24{margin-left:2px}.errorInline.ant-form-item{margin-bottom:8px}.errorInline .ant-form-item-children input{width:auto}.errorInline .ant-form-explain{display:inline;margin-left:10px}.setemailposition{position:absolute;right:40px;top:10px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/src/modules/courses/common/formCommon.css"],"names":[],"mappings":"AAAA,uBACE,uBAA6B,AAC7B,gCAAiC,AACjC,gBAAmB,AACnB,eAAiB,CAClB,AACD,sBACE,kBAAoB,CACrB,AAGD,qBACE,aAAc,AACd,qBAAuB,CACxB,AAGD,iCACE,iBAAmB,CACpB,AACD,8CACE,aAAiB,CAClB,AAID,6BACE,oBAAsB,CACvB,AACD,yBACE,2BACE,eAAiB,CAClB,CACF,AACD,2DACE,eAAiB,CAClB,AAID,2BACE,iBAAmB,CACpB,AAED,2CACE,UAAW,CACZ,AACD,+BACE,eAAgB,AAChB,gBAAkB,CACnB,AAGD,kBACI,kBAAmB,AACnB,WAAY,AACZ,QAAU,CACb","file":"formCommon.css","sourcesContent":[".courseForm .formBlock {\r\n padding: 20px 30px 30px 30px;\r\n border-bottom: 1px solid #EDEDED;\r\n margin-bottom: 0px;\r\n background: #fff;\r\n}\r\n.courseForm .noBorder {\r\n border-bottom: none;\r\n}\r\n\r\n/* common */\r\n.edu-class-container {\r\n width: 1200px;\r\n margin: 10px auto 20px;\r\n}\r\n\r\n/* 小红点 */\r\n.courseForm .ant-form-item-label {\r\n margin-left: -10px;\r\n}\r\n.courseForm .notRequired .ant-form-item-label {\r\n margin-left: 0px;\r\n}\r\n\r\n\r\n/* 不知道被哪个样式影响,这里需要重置 */\r\n.courseForm .ant-input:focus {\r\n border-color: #40a9ff;\r\n}\r\n@media (min-width: 576px) {\r\n .courseForm .ant-col-sm-24 {\r\n text-align: left;\r\n }\r\n}\r\n.ant-form-item-control-wrapper.ant-col-xs-24.ant-col-sm-24 {\r\n margin-left: 2px;\r\n}\r\n\r\n\r\n/* errorInline ----------- */\r\n.errorInline.ant-form-item {\r\n margin-bottom: 8px;\r\n}\r\n/* 这里需要指定form组件的宽度 style={{ width: 270 }} */ \r\n.errorInline .ant-form-item-children input {\r\n width: auto\r\n}\r\n.errorInline .ant-form-explain {\r\n display: inline;\r\n margin-left: 10px;\r\n}\r\n/* errorInline ----------- */\r\n\r\n.setemailposition{\r\n position: absolute;\r\n right: 40px;\r\n top: 10px;\r\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1304: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["e"] = values; /* harmony export (immutable) */ __webpack_exports__["d"] = keys; /* unused harmony export StringIterator */ /* unused harmony export PathIterator */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return TernarySearchTree; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ResourceMap; }); /* unused harmony export LinkedMap */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LRUCache; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function values(forEachable) { var result = []; forEachable.forEach(function (value) { return result.push(value); }); return result; } function keys(map) { var result = []; map.forEach(function (value, key) { return result.push(key); }); return result; } var StringIterator = /** @class */ (function () { function StringIterator() { this._value = ''; this._pos = 0; } StringIterator.prototype.reset = function (key) { this._value = key; this._pos = 0; return this; }; StringIterator.prototype.next = function () { this._pos += 1; return this; }; StringIterator.prototype.hasNext = function () { return this._pos < this._value.length - 1; }; StringIterator.prototype.cmp = function (a) { var aCode = a.charCodeAt(0); var thisCode = this._value.charCodeAt(this._pos); return aCode - thisCode; }; StringIterator.prototype.value = function () { return this._value[this._pos]; }; return StringIterator; }()); var PathIterator = /** @class */ (function () { function PathIterator() { } PathIterator.prototype.reset = function (key) { this._value = key.replace(/\\$|\/$/, ''); this._from = 0; this._to = 0; return this.next(); }; PathIterator.prototype.hasNext = function () { return this._to < this._value.length; }; PathIterator.prototype.next = function () { // this._data = key.split(/[\\/]/).filter(s => !!s); this._from = this._to; var justSeps = true; for (; this._to < this._value.length; this._to++) { var ch = this._value.charCodeAt(this._to); if (ch === 47 /* Slash */ || ch === 92 /* Backslash */) { if (justSeps) { this._from++; } else { break; } } else { justSeps = false; } } return this; }; PathIterator.prototype.cmp = function (a) { var aPos = 0; var aLen = a.length; var thisPos = this._from; while (aPos < aLen && thisPos < this._to) { var cmp = a.charCodeAt(aPos) - this._value.charCodeAt(thisPos); if (cmp !== 0) { return cmp; } aPos += 1; thisPos += 1; } if (aLen === this._to - this._from) { return 0; } else if (aPos < aLen) { return -1; } else { return 1; } }; PathIterator.prototype.value = function () { return this._value.substring(this._from, this._to); }; return PathIterator; }()); var TernarySearchTreeNode = /** @class */ (function () { function TernarySearchTreeNode() { } return TernarySearchTreeNode; }()); var TernarySearchTree = /** @class */ (function () { function TernarySearchTree(segments) { this._iter = segments; } TernarySearchTree.forPaths = function () { return new TernarySearchTree(new PathIterator()); }; TernarySearchTree.forStrings = function () { return new TernarySearchTree(new StringIterator()); }; TernarySearchTree.prototype.clear = function () { this._root = undefined; }; TernarySearchTree.prototype.set = function (key, element) { var iter = this._iter.reset(key); var node; if (!this._root) { this._root = new TernarySearchTreeNode(); this._root.segment = iter.value(); } node = this._root; while (true) { var val = iter.cmp(node.segment); if (val > 0) { // left if (!node.left) { node.left = new TernarySearchTreeNode(); node.left.segment = iter.value(); } node = node.left; } else if (val < 0) { // right if (!node.right) { node.right = new TernarySearchTreeNode(); node.right.segment = iter.value(); } node = node.right; } else if (iter.hasNext()) { // mid iter.next(); if (!node.mid) { node.mid = new TernarySearchTreeNode(); node.mid.segment = iter.value(); } node = node.mid; } else { break; } } var oldElement = node.value; node.value = element; node.key = key; return oldElement; }; TernarySearchTree.prototype.get = function (key) { var iter = this._iter.reset(key); var node = this._root; while (node) { var val = iter.cmp(node.segment); if (val > 0) { // left node = node.left; } else if (val < 0) { // right node = node.right; } else if (iter.hasNext()) { // mid iter.next(); node = node.mid; } else { break; } } return node ? node.value : undefined; }; TernarySearchTree.prototype.findSubstr = function (key) { var iter = this._iter.reset(key); var node = this._root; var candidate = undefined; while (node) { var val = iter.cmp(node.segment); if (val > 0) { // left node = node.left; } else if (val < 0) { // right node = node.right; } else if (iter.hasNext()) { // mid iter.next(); candidate = node.value || candidate; node = node.mid; } else { break; } } return node && node.value || candidate; }; TernarySearchTree.prototype.forEach = function (callback) { this._forEach(this._root, callback); }; TernarySearchTree.prototype._forEach = function (node, callback) { if (node) { // left this._forEach(node.left, callback); // node if (node.value) { // callback(node.value, this._iter.join(parts)); callback(node.value, node.key); } // mid this._forEach(node.mid, callback); // right this._forEach(node.right, callback); } }; return TernarySearchTree; }()); var ResourceMap = /** @class */ (function () { function ResourceMap() { this.map = new Map(); this.ignoreCase = false; // in the future this should be an uri-comparator } ResourceMap.prototype.set = function (resource, value) { this.map.set(this.toKey(resource), value); }; ResourceMap.prototype.get = function (resource) { return this.map.get(this.toKey(resource)); }; ResourceMap.prototype.toKey = function (resource) { var key = resource.toString(); if (this.ignoreCase) { key = key.toLowerCase(); } return key; }; return ResourceMap; }()); var LinkedMap = /** @class */ (function () { function LinkedMap() { this._map = new Map(); this._head = undefined; this._tail = undefined; this._size = 0; } LinkedMap.prototype.clear = function () { this._map.clear(); this._head = undefined; this._tail = undefined; this._size = 0; }; Object.defineProperty(LinkedMap.prototype, "size", { get: function () { return this._size; }, enumerable: true, configurable: true }); LinkedMap.prototype.get = function (key, touch) { if (touch === void 0) { touch = 0 /* None */; } var item = this._map.get(key); if (!item) { return undefined; } if (touch !== 0 /* None */) { this.touch(item, touch); } return item.value; }; LinkedMap.prototype.set = function (key, value, touch) { if (touch === void 0) { touch = 0 /* None */; } var item = this._map.get(key); if (item) { item.value = value; if (touch !== 0 /* None */) { this.touch(item, touch); } } else { item = { key: key, value: value, next: undefined, previous: undefined }; switch (touch) { case 0 /* None */: this.addItemLast(item); break; case 1 /* AsOld */: this.addItemFirst(item); break; case 2 /* AsNew */: this.addItemLast(item); break; default: this.addItemLast(item); break; } this._map.set(key, item); this._size++; } }; LinkedMap.prototype.forEach = function (callbackfn, thisArg) { var current = this._head; while (current) { if (thisArg) { callbackfn.bind(thisArg)(current.value, current.key, this); } else { callbackfn(current.value, current.key, this); } current = current.next; } }; /* VS Code / Monaco editor runs on es5 which has no Symbol.iterator keys(): IterableIterator<K> { let current = this._head; let iterator: IterableIterator<K> = { [Symbol.iterator]() { return iterator; }, next():IteratorResult<K> { if (current) { let result = { value: current.key, done: false }; current = current.next; return result; } else { return { value: undefined, done: true }; } } }; return iterator; } values(): IterableIterator<V> { let current = this._head; let iterator: IterableIterator<V> = { [Symbol.iterator]() { return iterator; }, next():IteratorResult<V> { if (current) { let result = { value: current.value, done: false }; current = current.next; return result; } else { return { value: undefined, done: true }; } } }; return iterator; } */ LinkedMap.prototype.trimOld = function (newSize) { if (newSize >= this.size) { return; } if (newSize === 0) { this.clear(); return; } var current = this._head; var currentSize = this.size; while (current && currentSize > newSize) { this._map.delete(current.key); current = current.next; currentSize--; } this._head = current; this._size = currentSize; if (current) { current.previous = undefined; } }; LinkedMap.prototype.addItemFirst = function (item) { // First time Insert if (!this._head && !this._tail) { this._tail = item; } else if (!this._head) { throw new Error('Invalid list'); } else { item.next = this._head; this._head.previous = item; } this._head = item; }; LinkedMap.prototype.addItemLast = function (item) { // First time Insert if (!this._head && !this._tail) { this._head = item; } else if (!this._tail) { throw new Error('Invalid list'); } else { item.previous = this._tail; this._tail.next = item; } this._tail = item; }; LinkedMap.prototype.touch = function (item, touch) { if (!this._head || !this._tail) { throw new Error('Invalid list'); } if ((touch !== 1 /* AsOld */ && touch !== 2 /* AsNew */)) { return; } if (touch === 1 /* AsOld */) { if (item === this._head) { return; } var next = item.next; var previous = item.previous; // Unlink the item if (item === this._tail) { // previous must be defined since item was not head but is tail // So there are more than on item in the map previous.next = undefined; this._tail = previous; } else { // Both next and previous are not undefined since item was neither head nor tail. next.previous = previous; previous.next = next; } // Insert the node at head item.previous = undefined; item.next = this._head; this._head.previous = item; this._head = item; } else if (touch === 2 /* AsNew */) { if (item === this._tail) { return; } var next = item.next; var previous = item.previous; // Unlink the item. if (item === this._head) { // next must be defined since item was not tail but is head // So there are more than on item in the map next.previous = undefined; this._head = next; } else { // Both next and previous are not undefined since item was neither head nor tail. next.previous = previous; previous.next = next; } item.next = undefined; item.previous = this._tail; this._tail.next = item; this._tail = item; } }; LinkedMap.prototype.toJSON = function () { var data = []; this.forEach(function (value, key) { data.push([key, value]); }); return data; }; return LinkedMap; }()); var LRUCache = /** @class */ (function (_super) { __extends(LRUCache, _super); function LRUCache(limit, ratio) { if (ratio === void 0) { ratio = 1; } var _this = _super.call(this) || this; _this._limit = limit; _this._ratio = Math.min(Math.max(0, ratio), 1); return _this; } LRUCache.prototype.get = function (key) { return _super.prototype.get.call(this, key, 2 /* AsNew */); }; LRUCache.prototype.set = function (key, value) { _super.prototype.set.call(this, key, value, 2 /* AsNew */); this.checkTrim(); }; LRUCache.prototype.checkTrim = function () { if (this.size > this._limit) { this.trimOld(Math.round(this._limit * this._ratio)); } }; return LRUCache; }(LinkedMap)); /***/ }), /***/ 1305: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["b"] = clearAllFontInfos; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Configuration; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__charWidthReader_js__ = __webpack_require__(1927); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__elementSizeObserver_js__ = __webpack_require__(1928); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_config_commonEditorConfig_js__ = __webpack_require__(1691); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_config_fontInfo_js__ = __webpack_require__(1562); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var CSSBasedConfigurationCache = /** @class */ (function () { function CSSBasedConfigurationCache() { this._keys = Object.create(null); this._values = Object.create(null); } CSSBasedConfigurationCache.prototype.has = function (item) { var itemId = item.getId(); return !!this._values[itemId]; }; CSSBasedConfigurationCache.prototype.get = function (item) { var itemId = item.getId(); return this._values[itemId]; }; CSSBasedConfigurationCache.prototype.put = function (item, value) { var itemId = item.getId(); this._keys[itemId] = item; this._values[itemId] = value; }; CSSBasedConfigurationCache.prototype.remove = function (item) { var itemId = item.getId(); delete this._keys[itemId]; delete this._values[itemId]; }; CSSBasedConfigurationCache.prototype.getValues = function () { var _this = this; return Object.keys(this._keys).map(function (id) { return _this._values[id]; }); }; return CSSBasedConfigurationCache; }()); function clearAllFontInfos() { CSSBasedConfiguration.INSTANCE.clearCache(); } var CSSBasedConfiguration = /** @class */ (function (_super) { __extends(CSSBasedConfiguration, _super); function CSSBasedConfiguration() { var _this = _super.call(this) || this; _this._onDidChange = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChange = _this._onDidChange.event; _this._cache = new CSSBasedConfigurationCache(); _this._evictUntrustedReadingsTimeout = -1; return _this; } CSSBasedConfiguration.prototype.dispose = function () { if (this._evictUntrustedReadingsTimeout !== -1) { clearTimeout(this._evictUntrustedReadingsTimeout); this._evictUntrustedReadingsTimeout = -1; } _super.prototype.dispose.call(this); }; CSSBasedConfiguration.prototype.clearCache = function () { this._cache = new CSSBasedConfigurationCache(); this._onDidChange.fire(); }; CSSBasedConfiguration.prototype._writeToCache = function (item, value) { var _this = this; this._cache.put(item, value); if (!value.isTrusted && this._evictUntrustedReadingsTimeout === -1) { // Try reading again after some time this._evictUntrustedReadingsTimeout = setTimeout(function () { _this._evictUntrustedReadingsTimeout = -1; _this._evictUntrustedReadings(); }, 5000); } }; CSSBasedConfiguration.prototype._evictUntrustedReadings = function () { var values = this._cache.getValues(); var somethingRemoved = false; for (var i = 0, len = values.length; i < len; i++) { var item = values[i]; if (!item.isTrusted) { somethingRemoved = true; this._cache.remove(item); } } if (somethingRemoved) { this._onDidChange.fire(); } }; CSSBasedConfiguration.prototype.readConfiguration = function (bareFontInfo) { if (!this._cache.has(bareFontInfo)) { var readConfig = CSSBasedConfiguration._actualReadConfiguration(bareFontInfo); if (readConfig.typicalHalfwidthCharacterWidth <= 2 || readConfig.typicalFullwidthCharacterWidth <= 2 || readConfig.spaceWidth <= 2 || readConfig.maxDigitWidth <= 2) { // Hey, it's Bug 14341 ... we couldn't read readConfig = new __WEBPACK_IMPORTED_MODULE_7__common_config_fontInfo_js__["b" /* FontInfo */]({ zoomLevel: __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["c" /* getZoomLevel */](), fontFamily: readConfig.fontFamily, fontWeight: readConfig.fontWeight, fontSize: readConfig.fontSize, lineHeight: readConfig.lineHeight, letterSpacing: readConfig.letterSpacing, isMonospace: readConfig.isMonospace, typicalHalfwidthCharacterWidth: Math.max(readConfig.typicalHalfwidthCharacterWidth, 5), typicalFullwidthCharacterWidth: Math.max(readConfig.typicalFullwidthCharacterWidth, 5), canUseHalfwidthRightwardsArrow: readConfig.canUseHalfwidthRightwardsArrow, spaceWidth: Math.max(readConfig.spaceWidth, 5), maxDigitWidth: Math.max(readConfig.maxDigitWidth, 5), }, false); } this._writeToCache(bareFontInfo, readConfig); } return this._cache.get(bareFontInfo); }; CSSBasedConfiguration.createRequest = function (chr, type, all, monospace) { var result = new __WEBPACK_IMPORTED_MODULE_4__charWidthReader_js__["a" /* CharWidthRequest */](chr, type); all.push(result); if (monospace) { monospace.push(result); } return result; }; CSSBasedConfiguration._actualReadConfiguration = function (bareFontInfo) { var all = []; var monospace = []; var typicalHalfwidthCharacter = this.createRequest('n', 0 /* Regular */, all, monospace); var typicalFullwidthCharacter = this.createRequest('\uff4d', 0 /* Regular */, all, null); var space = this.createRequest(' ', 0 /* Regular */, all, monospace); var digit0 = this.createRequest('0', 0 /* Regular */, all, monospace); var digit1 = this.createRequest('1', 0 /* Regular */, all, monospace); var digit2 = this.createRequest('2', 0 /* Regular */, all, monospace); var digit3 = this.createRequest('3', 0 /* Regular */, all, monospace); var digit4 = this.createRequest('4', 0 /* Regular */, all, monospace); var digit5 = this.createRequest('5', 0 /* Regular */, all, monospace); var digit6 = this.createRequest('6', 0 /* Regular */, all, monospace); var digit7 = this.createRequest('7', 0 /* Regular */, all, monospace); var digit8 = this.createRequest('8', 0 /* Regular */, all, monospace); var digit9 = this.createRequest('9', 0 /* Regular */, all, monospace); // monospace test: used for whitespace rendering var rightwardsArrow = this.createRequest('→', 0 /* Regular */, all, monospace); var halfwidthRightwardsArrow = this.createRequest('→', 0 /* Regular */, all, null); this.createRequest('·', 0 /* Regular */, all, monospace); // monospace test: some characters this.createRequest('|', 0 /* Regular */, all, monospace); this.createRequest('/', 0 /* Regular */, all, monospace); this.createRequest('-', 0 /* Regular */, all, monospace); this.createRequest('_', 0 /* Regular */, all, monospace); this.createRequest('i', 0 /* Regular */, all, monospace); this.createRequest('l', 0 /* Regular */, all, monospace); this.createRequest('m', 0 /* Regular */, all, monospace); // monospace italic test this.createRequest('|', 1 /* Italic */, all, monospace); this.createRequest('_', 1 /* Italic */, all, monospace); this.createRequest('i', 1 /* Italic */, all, monospace); this.createRequest('l', 1 /* Italic */, all, monospace); this.createRequest('m', 1 /* Italic */, all, monospace); this.createRequest('n', 1 /* Italic */, all, monospace); // monospace bold test this.createRequest('|', 2 /* Bold */, all, monospace); this.createRequest('_', 2 /* Bold */, all, monospace); this.createRequest('i', 2 /* Bold */, all, monospace); this.createRequest('l', 2 /* Bold */, all, monospace); this.createRequest('m', 2 /* Bold */, all, monospace); this.createRequest('n', 2 /* Bold */, all, monospace); Object(__WEBPACK_IMPORTED_MODULE_4__charWidthReader_js__["b" /* readCharWidths */])(bareFontInfo, all); var maxDigitWidth = Math.max(digit0.width, digit1.width, digit2.width, digit3.width, digit4.width, digit5.width, digit6.width, digit7.width, digit8.width, digit9.width); var isMonospace = true; var referenceWidth = monospace[0].width; for (var i = 1, len = monospace.length; i < len; i++) { var diff = referenceWidth - monospace[i].width; if (diff < -0.001 || diff > 0.001) { isMonospace = false; break; } } var canUseHalfwidthRightwardsArrow = true; if (isMonospace && halfwidthRightwardsArrow.width !== referenceWidth) { // using a halfwidth rightwards arrow would break monospace... canUseHalfwidthRightwardsArrow = false; } if (halfwidthRightwardsArrow.width > rightwardsArrow.width) { // using a halfwidth rightwards arrow would paint a larger arrow than a regular rightwards arrow canUseHalfwidthRightwardsArrow = false; } // let's trust the zoom level only 2s after it was changed. var canTrustBrowserZoomLevel = (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["b" /* getTimeSinceLastZoomLevelChanged */]() > 2000); return new __WEBPACK_IMPORTED_MODULE_7__common_config_fontInfo_js__["b" /* FontInfo */]({ zoomLevel: __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["c" /* getZoomLevel */](), fontFamily: bareFontInfo.fontFamily, fontWeight: bareFontInfo.fontWeight, fontSize: bareFontInfo.fontSize, lineHeight: bareFontInfo.lineHeight, letterSpacing: bareFontInfo.letterSpacing, isMonospace: isMonospace, typicalHalfwidthCharacterWidth: typicalHalfwidthCharacter.width, typicalFullwidthCharacterWidth: typicalFullwidthCharacter.width, canUseHalfwidthRightwardsArrow: canUseHalfwidthRightwardsArrow, spaceWidth: space.width, maxDigitWidth: maxDigitWidth }, canTrustBrowserZoomLevel); }; CSSBasedConfiguration.INSTANCE = new CSSBasedConfiguration(); return CSSBasedConfiguration; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); var Configuration = /** @class */ (function (_super) { __extends(Configuration, _super); function Configuration(options, referenceDomElement, accessibilityService) { if (referenceDomElement === void 0) { referenceDomElement = null; } var _this = _super.call(this, options) || this; _this.accessibilityService = accessibilityService; _this._elementSizeObserver = _this._register(new __WEBPACK_IMPORTED_MODULE_5__elementSizeObserver_js__["a" /* ElementSizeObserver */](referenceDomElement, function () { return _this._onReferenceDomElementSizeChanged(); })); _this._register(CSSBasedConfiguration.INSTANCE.onDidChange(function () { return _this._onCSSBasedConfigurationChanged(); })); if (_this._validatedOptions.automaticLayout) { _this._elementSizeObserver.startObserving(); } _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["o" /* onDidChangeZoomLevel */](function (_) { return _this._recomputeOptions(); })); _this._register(_this.accessibilityService.onDidChangeAccessibilitySupport(function () { return _this._recomputeOptions(); })); _this._recomputeOptions(); return _this; } Configuration.applyFontInfoSlow = function (domNode, fontInfo) { domNode.style.fontFamily = fontInfo.getMassagedFontFamily(); domNode.style.fontWeight = fontInfo.fontWeight; domNode.style.fontSize = fontInfo.fontSize + 'px'; domNode.style.lineHeight = fontInfo.lineHeight + 'px'; domNode.style.letterSpacing = fontInfo.letterSpacing + 'px'; }; Configuration.applyFontInfo = function (domNode, fontInfo) { domNode.setFontFamily(fontInfo.getMassagedFontFamily()); domNode.setFontWeight(fontInfo.fontWeight); domNode.setFontSize(fontInfo.fontSize); domNode.setLineHeight(fontInfo.lineHeight); domNode.setLetterSpacing(fontInfo.letterSpacing); }; Configuration.prototype._onReferenceDomElementSizeChanged = function () { this._recomputeOptions(); }; Configuration.prototype._onCSSBasedConfigurationChanged = function () { this._recomputeOptions(); }; Configuration.prototype.observeReferenceElement = function (dimension) { this._elementSizeObserver.observe(dimension); }; Configuration.prototype.dispose = function () { _super.prototype.dispose.call(this); }; Configuration.prototype._getExtraEditorClassName = function () { var extra = ''; if (!__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["l" /* isSafari */] && !__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["n" /* isWebkitWebView */]) { // Use user-select: none in all browsers except Safari and native macOS WebView extra += 'no-user-select '; } if (__WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["d" /* isMacintosh */]) { extra += 'mac '; } return extra; }; Configuration.prototype._getEnvConfiguration = function () { return { extraEditorClassName: this._getExtraEditorClassName(), outerWidth: this._elementSizeObserver.getWidth(), outerHeight: this._elementSizeObserver.getHeight(), emptySelectionClipboard: __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["m" /* isWebKit */] || __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["i" /* isFirefox */], pixelRatio: __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["a" /* getPixelRatio */](), zoomLevel: __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["c" /* getZoomLevel */](), accessibilitySupport: this.accessibilityService.getAccessibilitySupport() }; }; Configuration.prototype.readConfiguration = function (bareFontInfo) { return CSSBasedConfiguration.INSTANCE.readConfiguration(bareFontInfo); }; return Configuration; }(__WEBPACK_IMPORTED_MODULE_6__common_config_commonEditorConfig_js__["a" /* CommonEditorConfiguration */])); /***/ }), /***/ 1323: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StandardKeyboardEvent; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_keyCodes_js__ = __webpack_require__(1356); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var KEY_CODE_MAP = new Array(230); var INVERSE_KEY_CODE_MAP = new Array(112 /* MAX_VALUE */); (function () { for (var i = 0; i < INVERSE_KEY_CODE_MAP.length; i++) { INVERSE_KEY_CODE_MAP[i] = -1; } function define(code, keyCode) { KEY_CODE_MAP[code] = keyCode; INVERSE_KEY_CODE_MAP[keyCode] = code; } define(3, 7 /* PauseBreak */); // VK_CANCEL 0x03 Control-break processing define(8, 1 /* Backspace */); define(9, 2 /* Tab */); define(13, 3 /* Enter */); define(16, 4 /* Shift */); define(17, 5 /* Ctrl */); define(18, 6 /* Alt */); define(19, 7 /* PauseBreak */); define(20, 8 /* CapsLock */); define(27, 9 /* Escape */); define(32, 10 /* Space */); define(33, 11 /* PageUp */); define(34, 12 /* PageDown */); define(35, 13 /* End */); define(36, 14 /* Home */); define(37, 15 /* LeftArrow */); define(38, 16 /* UpArrow */); define(39, 17 /* RightArrow */); define(40, 18 /* DownArrow */); define(45, 19 /* Insert */); define(46, 20 /* Delete */); define(48, 21 /* KEY_0 */); define(49, 22 /* KEY_1 */); define(50, 23 /* KEY_2 */); define(51, 24 /* KEY_3 */); define(52, 25 /* KEY_4 */); define(53, 26 /* KEY_5 */); define(54, 27 /* KEY_6 */); define(55, 28 /* KEY_7 */); define(56, 29 /* KEY_8 */); define(57, 30 /* KEY_9 */); define(65, 31 /* KEY_A */); define(66, 32 /* KEY_B */); define(67, 33 /* KEY_C */); define(68, 34 /* KEY_D */); define(69, 35 /* KEY_E */); define(70, 36 /* KEY_F */); define(71, 37 /* KEY_G */); define(72, 38 /* KEY_H */); define(73, 39 /* KEY_I */); define(74, 40 /* KEY_J */); define(75, 41 /* KEY_K */); define(76, 42 /* KEY_L */); define(77, 43 /* KEY_M */); define(78, 44 /* KEY_N */); define(79, 45 /* KEY_O */); define(80, 46 /* KEY_P */); define(81, 47 /* KEY_Q */); define(82, 48 /* KEY_R */); define(83, 49 /* KEY_S */); define(84, 50 /* KEY_T */); define(85, 51 /* KEY_U */); define(86, 52 /* KEY_V */); define(87, 53 /* KEY_W */); define(88, 54 /* KEY_X */); define(89, 55 /* KEY_Y */); define(90, 56 /* KEY_Z */); define(93, 58 /* ContextMenu */); define(96, 93 /* NUMPAD_0 */); define(97, 94 /* NUMPAD_1 */); define(98, 95 /* NUMPAD_2 */); define(99, 96 /* NUMPAD_3 */); define(100, 97 /* NUMPAD_4 */); define(101, 98 /* NUMPAD_5 */); define(102, 99 /* NUMPAD_6 */); define(103, 100 /* NUMPAD_7 */); define(104, 101 /* NUMPAD_8 */); define(105, 102 /* NUMPAD_9 */); define(106, 103 /* NUMPAD_MULTIPLY */); define(107, 104 /* NUMPAD_ADD */); define(108, 105 /* NUMPAD_SEPARATOR */); define(109, 106 /* NUMPAD_SUBTRACT */); define(110, 107 /* NUMPAD_DECIMAL */); define(111, 108 /* NUMPAD_DIVIDE */); define(112, 59 /* F1 */); define(113, 60 /* F2 */); define(114, 61 /* F3 */); define(115, 62 /* F4 */); define(116, 63 /* F5 */); define(117, 64 /* F6 */); define(118, 65 /* F7 */); define(119, 66 /* F8 */); define(120, 67 /* F9 */); define(121, 68 /* F10 */); define(122, 69 /* F11 */); define(123, 70 /* F12 */); define(124, 71 /* F13 */); define(125, 72 /* F14 */); define(126, 73 /* F15 */); define(127, 74 /* F16 */); define(128, 75 /* F17 */); define(129, 76 /* F18 */); define(130, 77 /* F19 */); define(144, 78 /* NumLock */); define(145, 79 /* ScrollLock */); define(186, 80 /* US_SEMICOLON */); define(187, 81 /* US_EQUAL */); define(188, 82 /* US_COMMA */); define(189, 83 /* US_MINUS */); define(190, 84 /* US_DOT */); define(191, 85 /* US_SLASH */); define(192, 86 /* US_BACKTICK */); define(193, 110 /* ABNT_C1 */); define(194, 111 /* ABNT_C2 */); define(219, 87 /* US_OPEN_SQUARE_BRACKET */); define(220, 88 /* US_BACKSLASH */); define(221, 89 /* US_CLOSE_SQUARE_BRACKET */); define(222, 90 /* US_QUOTE */); define(223, 91 /* OEM_8 */); define(226, 92 /* OEM_102 */); /** * https://lists.w3.org/Archives/Public/www-dom/2010JulSep/att-0182/keyCode-spec.html * If an Input Method Editor is processing key input and the event is keydown, return 229. */ define(229, 109 /* KEY_IN_COMPOSITION */); if (__WEBPACK_IMPORTED_MODULE_0__browser_js__["j" /* isIE */]) { define(91, 57 /* Meta */); } else if (__WEBPACK_IMPORTED_MODULE_0__browser_js__["i" /* isFirefox */]) { define(59, 80 /* US_SEMICOLON */); define(107, 81 /* US_EQUAL */); define(109, 83 /* US_MINUS */); if (__WEBPACK_IMPORTED_MODULE_2__common_platform_js__["d" /* isMacintosh */]) { define(224, 57 /* Meta */); } } else if (__WEBPACK_IMPORTED_MODULE_0__browser_js__["m" /* isWebKit */]) { define(91, 57 /* Meta */); if (__WEBPACK_IMPORTED_MODULE_2__common_platform_js__["d" /* isMacintosh */]) { // the two meta keys in the Mac have different key codes (91 and 93) define(93, 57 /* Meta */); } else { define(92, 57 /* Meta */); } } })(); function extractKeyCode(e) { if (e.charCode) { // "keypress" events mostly var char = String.fromCharCode(e.charCode).toUpperCase(); return __WEBPACK_IMPORTED_MODULE_1__common_keyCodes_js__["b" /* KeyCodeUtils */].fromString(char); } return KEY_CODE_MAP[e.keyCode] || 0 /* Unknown */; } var ctrlKeyMod = (__WEBPACK_IMPORTED_MODULE_2__common_platform_js__["d" /* isMacintosh */] ? 256 /* WinCtrl */ : 2048 /* CtrlCmd */); var altKeyMod = 512 /* Alt */; var shiftKeyMod = 1024 /* Shift */; var metaKeyMod = (__WEBPACK_IMPORTED_MODULE_2__common_platform_js__["d" /* isMacintosh */] ? 2048 /* CtrlCmd */ : 256 /* WinCtrl */); var StandardKeyboardEvent = /** @class */ (function () { function StandardKeyboardEvent(source) { this._standardKeyboardEventBrand = true; var e = source; this.browserEvent = e; this.target = e.target; this.ctrlKey = e.ctrlKey; this.shiftKey = e.shiftKey; this.altKey = e.altKey; this.metaKey = e.metaKey; this.keyCode = extractKeyCode(e); this.code = e.code; // console.info(e.type + ": keyCode: " + e.keyCode + ", which: " + e.which + ", charCode: " + e.charCode + ", detail: " + e.detail + " ====> " + this.keyCode + ' -- ' + KeyCode[this.keyCode]); this.ctrlKey = this.ctrlKey || this.keyCode === 5 /* Ctrl */; this.altKey = this.altKey || this.keyCode === 6 /* Alt */; this.shiftKey = this.shiftKey || this.keyCode === 4 /* Shift */; this.metaKey = this.metaKey || this.keyCode === 57 /* Meta */; this._asKeybinding = this._computeKeybinding(); this._asRuntimeKeybinding = this._computeRuntimeKeybinding(); // console.log(`code: ${e.code}, keyCode: ${e.keyCode}, key: ${e.key}`); } StandardKeyboardEvent.prototype.preventDefault = function () { if (this.browserEvent && this.browserEvent.preventDefault) { this.browserEvent.preventDefault(); } }; StandardKeyboardEvent.prototype.stopPropagation = function () { if (this.browserEvent && this.browserEvent.stopPropagation) { this.browserEvent.stopPropagation(); } }; StandardKeyboardEvent.prototype.toKeybinding = function () { return this._asRuntimeKeybinding; }; StandardKeyboardEvent.prototype.equals = function (other) { return this._asKeybinding === other; }; StandardKeyboardEvent.prototype._computeKeybinding = function () { var key = 0 /* Unknown */; if (this.keyCode !== 5 /* Ctrl */ && this.keyCode !== 4 /* Shift */ && this.keyCode !== 6 /* Alt */ && this.keyCode !== 57 /* Meta */) { key = this.keyCode; } var result = 0; if (this.ctrlKey) { result |= ctrlKeyMod; } if (this.altKey) { result |= altKeyMod; } if (this.shiftKey) { result |= shiftKeyMod; } if (this.metaKey) { result |= metaKeyMod; } result |= key; return result; }; StandardKeyboardEvent.prototype._computeRuntimeKeybinding = function () { var key = 0 /* Unknown */; if (this.keyCode !== 5 /* Ctrl */ && this.keyCode !== 4 /* Shift */ && this.keyCode !== 6 /* Alt */ && this.keyCode !== 57 /* Meta */) { key = this.keyCode; } return new __WEBPACK_IMPORTED_MODULE_1__common_keyCodes_js__["e" /* SimpleKeybinding */](this.ctrlKey, this.shiftKey, this.altKey, this.metaKey, key); }; return StandardKeyboardEvent; }()); /***/ }), /***/ 1324: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["c"] = isThemeColor; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditorType; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return Handler; }); /** * @internal */ function isThemeColor(o) { return o && typeof o.id === 'string'; } /** * The type of the `IEditor`. */ var EditorType = { ICodeEditor: 'vs.editor.ICodeEditor', IDiffEditor: 'vs.editor.IDiffEditor' }; /** * Built-in commands. * @internal */ var Handler = { ExecuteCommand: 'executeCommand', ExecuteCommands: 'executeCommands', Type: 'type', ReplacePreviousChar: 'replacePreviousChar', CompositionStart: 'compositionStart', CompositionEnd: 'compositionEnd', Paste: 'paste', Cut: 'cut', Undo: 'undo', Redo: 'redo', }; /***/ }), /***/ 1325: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return OverviewRulerLane; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return TextModelResolvedOptions; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return FindMatch; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ApplyEditsResult; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Vertical Lane in the overview ruler of the editor. */ var OverviewRulerLane; (function (OverviewRulerLane) { OverviewRulerLane[OverviewRulerLane["Left"] = 1] = "Left"; OverviewRulerLane[OverviewRulerLane["Center"] = 2] = "Center"; OverviewRulerLane[OverviewRulerLane["Right"] = 4] = "Right"; OverviewRulerLane[OverviewRulerLane["Full"] = 7] = "Full"; })(OverviewRulerLane || (OverviewRulerLane = {})); var TextModelResolvedOptions = /** @class */ (function () { /** * @internal */ function TextModelResolvedOptions(src) { this.tabSize = src.tabSize | 0; this.indentSize = src.tabSize | 0; this.insertSpaces = Boolean(src.insertSpaces); this.defaultEOL = src.defaultEOL | 0; this.trimAutoWhitespace = Boolean(src.trimAutoWhitespace); } /** * @internal */ TextModelResolvedOptions.prototype.equals = function (other) { return (this.tabSize === other.tabSize && this.indentSize === other.indentSize && this.insertSpaces === other.insertSpaces && this.defaultEOL === other.defaultEOL && this.trimAutoWhitespace === other.trimAutoWhitespace); }; /** * @internal */ TextModelResolvedOptions.prototype.createChangeEvent = function (newOpts) { return { tabSize: this.tabSize !== newOpts.tabSize, indentSize: this.indentSize !== newOpts.indentSize, insertSpaces: this.insertSpaces !== newOpts.insertSpaces, trimAutoWhitespace: this.trimAutoWhitespace !== newOpts.trimAutoWhitespace, }; }; return TextModelResolvedOptions; }()); var FindMatch = /** @class */ (function () { /** * @internal */ function FindMatch(range, matches) { this.range = range; this.matches = matches; } return FindMatch; }()); /** * @internal */ var ApplyEditsResult = /** @class */ (function () { function ApplyEditsResult(reverseEdits, changes, trimAutoWhitespaceLineNumbers) { this.reverseEdits = reverseEdits; this.changes = changes; this.trimAutoWhitespaceLineNumbers = trimAutoWhitespaceLineNumbers; } return ApplyEditsResult; }()); /***/ }), /***/ 1326: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return NULL_STATE; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return NULL_MODE_ID; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return NULL_LANGUAGE_IDENTIFIER; }); /* harmony export (immutable) */ __webpack_exports__["d"] = nullTokenize; /* harmony export (immutable) */ __webpack_exports__["e"] = nullTokenize2; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_token_js__ = __webpack_require__(1441); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__modes_js__ = __webpack_require__(1044); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var NullStateImpl = /** @class */ (function () { function NullStateImpl() { } NullStateImpl.prototype.clone = function () { return this; }; NullStateImpl.prototype.equals = function (other) { return (this === other); }; return NullStateImpl; }()); var NULL_STATE = new NullStateImpl(); var NULL_MODE_ID = 'vs.editor.nullMode'; var NULL_LANGUAGE_IDENTIFIER = new __WEBPACK_IMPORTED_MODULE_1__modes_js__["o" /* LanguageIdentifier */](NULL_MODE_ID, 0 /* Null */); function nullTokenize(modeId, buffer, state, deltaOffset) { return new __WEBPACK_IMPORTED_MODULE_0__core_token_js__["b" /* TokenizationResult */]([new __WEBPACK_IMPORTED_MODULE_0__core_token_js__["a" /* Token */](deltaOffset, '', modeId)], state); } function nullTokenize2(languageId, buffer, state, deltaOffset) { var tokens = new Uint32Array(2); tokens[0] = deltaOffset; tokens[1] = ((languageId << 0 /* LANGUAGEID_OFFSET */) | (0 /* Other */ << 8 /* TOKEN_TYPE_OFFSET */) | (0 /* None */ << 11 /* FONT_STYLE_OFFSET */) | (1 /* DefaultForeground */ << 14 /* FOREGROUND_OFFSET */) | (2 /* DefaultBackground */ << 23 /* BACKGROUND_OFFSET */)) >>> 0; return new __WEBPACK_IMPORTED_MODULE_0__core_token_js__["c" /* TokenizationResult2 */](tokens, state === null ? NULL_STATE : state); } /***/ }), /***/ 1327: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export RichEditSupport */ /* unused harmony export LanguageConfigurationChangeEvent */ /* unused harmony export LanguageConfigurationRegistryImpl */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LanguageConfigurationRegistry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__model_wordHelper_js__ = __webpack_require__(1440); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__ = __webpack_require__(1394); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__supports_js__ = __webpack_require__(1564); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__supports_characterPair_js__ = __webpack_require__(1900); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__supports_electricCharacter_js__ = __webpack_require__(1901); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__supports_indentRules_js__ = __webpack_require__(1902); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__supports_onEnter_js__ = __webpack_require__(1903); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__supports_richEditBrackets_js__ = __webpack_require__(1565); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var RichEditSupport = /** @class */ (function () { function RichEditSupport(languageIdentifier, previous, rawConf) { this._languageIdentifier = languageIdentifier; this._brackets = null; this._electricCharacter = null; var prev = null; if (previous) { prev = previous._conf; } this._conf = RichEditSupport._mergeConf(prev, rawConf); this.onEnter = RichEditSupport._handleOnEnter(this._conf); this.comments = RichEditSupport._handleComments(this._conf); this.characterPair = new __WEBPACK_IMPORTED_MODULE_8__supports_characterPair_js__["a" /* CharacterPairSupport */](this._conf); this.wordDefinition = this._conf.wordPattern || __WEBPACK_IMPORTED_MODULE_5__model_wordHelper_js__["a" /* DEFAULT_WORD_REGEXP */]; this.indentationRules = this._conf.indentationRules; if (this._conf.indentationRules) { this.indentRulesSupport = new __WEBPACK_IMPORTED_MODULE_10__supports_indentRules_js__["a" /* IndentRulesSupport */](this._conf.indentationRules); } this.foldingRules = this._conf.folding || {}; } Object.defineProperty(RichEditSupport.prototype, "brackets", { get: function () { if (!this._brackets && this._conf.brackets) { this._brackets = new __WEBPACK_IMPORTED_MODULE_12__supports_richEditBrackets_js__["b" /* RichEditBrackets */](this._languageIdentifier, this._conf.brackets); } return this._brackets; }, enumerable: true, configurable: true }); Object.defineProperty(RichEditSupport.prototype, "electricCharacter", { get: function () { if (!this._electricCharacter) { var autoClosingPairs = []; if (this._conf.autoClosingPairs) { autoClosingPairs = this._conf.autoClosingPairs; } else if (this._conf.brackets) { autoClosingPairs = this._conf.brackets.map(function (b) { return { open: b[0], close: b[1] }; }); } this._electricCharacter = new __WEBPACK_IMPORTED_MODULE_9__supports_electricCharacter_js__["a" /* BracketElectricCharacterSupport */](this.brackets, autoClosingPairs, this._conf.__electricCharacterSupport); } return this._electricCharacter; }, enumerable: true, configurable: true }); RichEditSupport._mergeConf = function (prev, current) { return { comments: (prev ? current.comments || prev.comments : current.comments), brackets: (prev ? current.brackets || prev.brackets : current.brackets), wordPattern: (prev ? current.wordPattern || prev.wordPattern : current.wordPattern), indentationRules: (prev ? current.indentationRules || prev.indentationRules : current.indentationRules), onEnterRules: (prev ? current.onEnterRules || prev.onEnterRules : current.onEnterRules), autoClosingPairs: (prev ? current.autoClosingPairs || prev.autoClosingPairs : current.autoClosingPairs), surroundingPairs: (prev ? current.surroundingPairs || prev.surroundingPairs : current.surroundingPairs), autoCloseBefore: (prev ? current.autoCloseBefore || prev.autoCloseBefore : current.autoCloseBefore), folding: (prev ? current.folding || prev.folding : current.folding), __electricCharacterSupport: (prev ? current.__electricCharacterSupport || prev.__electricCharacterSupport : current.__electricCharacterSupport), }; }; RichEditSupport._handleOnEnter = function (conf) { // on enter var onEnter = {}; var empty = true; if (conf.brackets) { empty = false; onEnter.brackets = conf.brackets; } if (conf.indentationRules) { empty = false; } if (conf.onEnterRules) { empty = false; onEnter.regExpRules = conf.onEnterRules; } if (!empty) { return new __WEBPACK_IMPORTED_MODULE_11__supports_onEnter_js__["a" /* OnEnterSupport */](onEnter); } return null; }; RichEditSupport._handleComments = function (conf) { var commentRule = conf.comments; if (!commentRule) { return null; } // comment configuration var comments = {}; if (commentRule.lineComment) { comments.lineCommentToken = commentRule.lineComment; } if (commentRule.blockComment) { var _a = commentRule.blockComment, blockStart = _a[0], blockEnd = _a[1]; comments.blockCommentStartToken = blockStart; comments.blockCommentEndToken = blockEnd; } return comments; }; return RichEditSupport; }()); var LanguageConfigurationChangeEvent = /** @class */ (function () { function LanguageConfigurationChangeEvent() { } return LanguageConfigurationChangeEvent; }()); var LanguageConfigurationRegistryImpl = /** @class */ (function () { function LanguageConfigurationRegistryImpl() { this._onDidChange = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this.onDidChange = this._onDidChange.event; this._entries = []; } LanguageConfigurationRegistryImpl.prototype.register = function (languageIdentifier, configuration) { var _this = this; var previous = this._getRichEditSupport(languageIdentifier.id); var current = new RichEditSupport(languageIdentifier, previous, configuration); this._entries[languageIdentifier.id] = current; this._onDidChange.fire({ languageIdentifier: languageIdentifier }); return Object(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["e" /* toDisposable */])(function () { if (_this._entries[languageIdentifier.id] === current) { _this._entries[languageIdentifier.id] = previous; _this._onDidChange.fire({ languageIdentifier: languageIdentifier }); } }); }; LanguageConfigurationRegistryImpl.prototype._getRichEditSupport = function (languageId) { return this._entries[languageId] || null; }; // begin electricCharacter LanguageConfigurationRegistryImpl.prototype._getElectricCharacterSupport = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return null; } return value.electricCharacter || null; }; LanguageConfigurationRegistryImpl.prototype.getElectricCharacters = function (languageId) { var electricCharacterSupport = this._getElectricCharacterSupport(languageId); if (!electricCharacterSupport) { return []; } return electricCharacterSupport.getElectricCharacters(); }; /** * Should return opening bracket type to match indentation with */ LanguageConfigurationRegistryImpl.prototype.onElectricCharacter = function (character, context, column) { var scopedLineTokens = Object(__WEBPACK_IMPORTED_MODULE_7__supports_js__["a" /* createScopedLineTokens */])(context, column - 1); var electricCharacterSupport = this._getElectricCharacterSupport(scopedLineTokens.languageId); if (!electricCharacterSupport) { return null; } return electricCharacterSupport.onElectricCharacter(character, scopedLineTokens, column - scopedLineTokens.firstCharOffset); }; // end electricCharacter LanguageConfigurationRegistryImpl.prototype.getComments = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return null; } return value.comments || null; }; // begin characterPair LanguageConfigurationRegistryImpl.prototype._getCharacterPairSupport = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return null; } return value.characterPair || null; }; LanguageConfigurationRegistryImpl.prototype.getAutoClosingPairs = function (languageId) { var characterPairSupport = this._getCharacterPairSupport(languageId); if (!characterPairSupport) { return []; } return characterPairSupport.getAutoClosingPairs(); }; LanguageConfigurationRegistryImpl.prototype.getAutoCloseBeforeSet = function (languageId) { var characterPairSupport = this._getCharacterPairSupport(languageId); if (!characterPairSupport) { return __WEBPACK_IMPORTED_MODULE_8__supports_characterPair_js__["a" /* CharacterPairSupport */].DEFAULT_AUTOCLOSE_BEFORE_LANGUAGE_DEFINED; } return characterPairSupport.getAutoCloseBeforeSet(); }; LanguageConfigurationRegistryImpl.prototype.getSurroundingPairs = function (languageId) { var characterPairSupport = this._getCharacterPairSupport(languageId); if (!characterPairSupport) { return []; } return characterPairSupport.getSurroundingPairs(); }; LanguageConfigurationRegistryImpl.prototype.shouldAutoClosePair = function (character, context, column) { var scopedLineTokens = Object(__WEBPACK_IMPORTED_MODULE_7__supports_js__["a" /* createScopedLineTokens */])(context, column - 1); var characterPairSupport = this._getCharacterPairSupport(scopedLineTokens.languageId); if (!characterPairSupport) { return false; } return characterPairSupport.shouldAutoClosePair(character, scopedLineTokens, column - scopedLineTokens.firstCharOffset); }; // end characterPair LanguageConfigurationRegistryImpl.prototype.getWordDefinition = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return Object(__WEBPACK_IMPORTED_MODULE_5__model_wordHelper_js__["c" /* ensureValidWordDefinition */])(null); } return Object(__WEBPACK_IMPORTED_MODULE_5__model_wordHelper_js__["c" /* ensureValidWordDefinition */])(value.wordDefinition || null); }; LanguageConfigurationRegistryImpl.prototype.getFoldingRules = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return {}; } return value.foldingRules; }; // begin Indent Rules LanguageConfigurationRegistryImpl.prototype.getIndentRulesSupport = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return null; } return value.indentRulesSupport || null; }; /** * Get nearest preceiding line which doesn't match unIndentPattern or contains all whitespace. * Result: * -1: run into the boundary of embedded languages * 0: every line above are invalid * else: nearest preceding line of the same language */ LanguageConfigurationRegistryImpl.prototype.getPrecedingValidLine = function (model, lineNumber, indentRulesSupport) { var languageID = model.getLanguageIdAtPosition(lineNumber, 0); if (lineNumber > 1) { var lastLineNumber = void 0; var resultLineNumber = -1; for (lastLineNumber = lineNumber - 1; lastLineNumber >= 1; lastLineNumber--) { if (model.getLanguageIdAtPosition(lastLineNumber, 0) !== languageID) { return resultLineNumber; } var text = model.getLineContent(lastLineNumber); if (indentRulesSupport.shouldIgnore(text) || /^\s+$/.test(text) || text === '') { resultLineNumber = lastLineNumber; continue; } return lastLineNumber; } } return -1; }; /** * Get inherited indentation from above lines. * 1. Find the nearest preceding line which doesn't match unIndentedLinePattern. * 2. If this line matches indentNextLinePattern or increaseIndentPattern, it means that the indent level of `lineNumber` should be 1 greater than this line. * 3. If this line doesn't match any indent rules * a. check whether the line above it matches indentNextLinePattern * b. If not, the indent level of this line is the result * c. If so, it means the indent of this line is *temporary*, go upward utill we find a line whose indent is not temporary (the same workflow a -> b -> c). * 4. Otherwise, we fail to get an inherited indent from aboves. Return null and we should not touch the indent of `lineNumber` * * This function only return the inherited indent based on above lines, it doesn't check whether current line should decrease or not. */ LanguageConfigurationRegistryImpl.prototype.getInheritIndentForLine = function (model, lineNumber, honorIntentialIndent) { if (honorIntentialIndent === void 0) { honorIntentialIndent = true; } var indentRulesSupport = this.getIndentRulesSupport(model.getLanguageIdentifier().id); if (!indentRulesSupport) { return null; } if (lineNumber <= 1) { return { indentation: '', action: null }; } var precedingUnIgnoredLine = this.getPrecedingValidLine(model, lineNumber, indentRulesSupport); if (precedingUnIgnoredLine < 0) { return null; } else if (precedingUnIgnoredLine < 1) { return { indentation: '', action: null }; } var precedingUnIgnoredLineContent = model.getLineContent(precedingUnIgnoredLine); if (indentRulesSupport.shouldIncrease(precedingUnIgnoredLineContent) || indentRulesSupport.shouldIndentNextLine(precedingUnIgnoredLineContent)) { return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](precedingUnIgnoredLineContent), action: __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent, line: precedingUnIgnoredLine }; } else if (indentRulesSupport.shouldDecrease(precedingUnIgnoredLineContent)) { return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](precedingUnIgnoredLineContent), action: null, line: precedingUnIgnoredLine }; } else { // precedingUnIgnoredLine can not be ignored. // it doesn't increase indent of following lines // it doesn't increase just next line // so current line is not affect by precedingUnIgnoredLine // and then we should get a correct inheritted indentation from above lines if (precedingUnIgnoredLine === 1) { return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](model.getLineContent(precedingUnIgnoredLine)), action: null, line: precedingUnIgnoredLine }; } var previousLine = precedingUnIgnoredLine - 1; var previousLineIndentMetadata = indentRulesSupport.getIndentMetadata(model.getLineContent(previousLine)); if (!(previousLineIndentMetadata & (1 /* INCREASE_MASK */ | 2 /* DECREASE_MASK */)) && (previousLineIndentMetadata & 4 /* INDENT_NEXTLINE_MASK */)) { var stopLine = 0; for (var i = previousLine - 1; i > 0; i--) { if (indentRulesSupport.shouldIndentNextLine(model.getLineContent(i))) { continue; } stopLine = i; break; } return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](model.getLineContent(stopLine + 1)), action: null, line: stopLine + 1 }; } if (honorIntentialIndent) { return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](model.getLineContent(precedingUnIgnoredLine)), action: null, line: precedingUnIgnoredLine }; } else { // search from precedingUnIgnoredLine until we find one whose indent is not temporary for (var i = precedingUnIgnoredLine; i > 0; i--) { var lineContent = model.getLineContent(i); if (indentRulesSupport.shouldIncrease(lineContent)) { return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](lineContent), action: __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent, line: i }; } else if (indentRulesSupport.shouldIndentNextLine(lineContent)) { var stopLine = 0; for (var j = i - 1; j > 0; j--) { if (indentRulesSupport.shouldIndentNextLine(model.getLineContent(i))) { continue; } stopLine = j; break; } return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](model.getLineContent(stopLine + 1)), action: null, line: stopLine + 1 }; } else if (indentRulesSupport.shouldDecrease(lineContent)) { return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](lineContent), action: null, line: i }; } } return { indentation: __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](model.getLineContent(1)), action: null, line: 1 }; } } }; LanguageConfigurationRegistryImpl.prototype.getGoodIndentForLine = function (virtualModel, languageId, lineNumber, indentConverter) { var indentRulesSupport = this.getIndentRulesSupport(languageId); if (!indentRulesSupport) { return null; } var indent = this.getInheritIndentForLine(virtualModel, lineNumber); var lineContent = virtualModel.getLineContent(lineNumber); if (indent) { var inheritLine = indent.line; if (inheritLine !== undefined) { var onEnterSupport = this._getOnEnterSupport(languageId); var enterResult = null; try { if (onEnterSupport) { enterResult = onEnterSupport.onEnter('', virtualModel.getLineContent(inheritLine), ''); } } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); } if (enterResult) { var indentation = __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](virtualModel.getLineContent(inheritLine)); if (enterResult.removeText) { indentation = indentation.substring(0, indentation.length - enterResult.removeText); } if ((enterResult.indentAction === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) || (enterResult.indentAction === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].IndentOutdent)) { indentation = indentConverter.shiftIndent(indentation); } else if (enterResult.indentAction === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Outdent) { indentation = indentConverter.unshiftIndent(indentation); } if (indentRulesSupport.shouldDecrease(lineContent)) { indentation = indentConverter.unshiftIndent(indentation); } if (enterResult.appendText) { indentation += enterResult.appendText; } return __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](indentation); } } if (indentRulesSupport.shouldDecrease(lineContent)) { if (indent.action === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) { return indent.indentation; } else { return indentConverter.unshiftIndent(indent.indentation); } } else { if (indent.action === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) { return indentConverter.shiftIndent(indent.indentation); } else { return indent.indentation; } } } return null; }; LanguageConfigurationRegistryImpl.prototype.getIndentForEnter = function (model, range, indentConverter, autoIndent) { model.forceTokenization(range.startLineNumber); var lineTokens = model.getLineTokens(range.startLineNumber); var beforeEnterText; var afterEnterText; var scopedLineTokens = Object(__WEBPACK_IMPORTED_MODULE_7__supports_js__["a" /* createScopedLineTokens */])(lineTokens, range.startColumn - 1); var scopedLineText = scopedLineTokens.getLineContent(); var embeddedLanguage = false; if (scopedLineTokens.firstCharOffset > 0 && lineTokens.getLanguageId(0) !== scopedLineTokens.languageId) { // we are in the embeded language content embeddedLanguage = true; // if embeddedLanguage is true, then we don't touch the indentation of current line beforeEnterText = scopedLineText.substr(0, range.startColumn - 1 - scopedLineTokens.firstCharOffset); } else { beforeEnterText = lineTokens.getLineContent().substring(0, range.startColumn - 1); } if (range.isEmpty()) { afterEnterText = scopedLineText.substr(range.startColumn - 1 - scopedLineTokens.firstCharOffset); } else { var endScopedLineTokens = this.getScopedLineTokens(model, range.endLineNumber, range.endColumn); afterEnterText = endScopedLineTokens.getLineContent().substr(range.endColumn - 1 - scopedLineTokens.firstCharOffset); } var indentRulesSupport = this.getIndentRulesSupport(scopedLineTokens.languageId); if (!indentRulesSupport) { return null; } var beforeEnterResult = beforeEnterText; var beforeEnterIndent = __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](beforeEnterText); if (!autoIndent && !embeddedLanguage) { var beforeEnterIndentAction = this.getInheritIndentForLine(model, range.startLineNumber); if (indentRulesSupport.shouldDecrease(beforeEnterText)) { if (beforeEnterIndentAction) { beforeEnterIndent = beforeEnterIndentAction.indentation; if (beforeEnterIndentAction.action !== __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) { beforeEnterIndent = indentConverter.unshiftIndent(beforeEnterIndent); } } } beforeEnterResult = beforeEnterIndent + __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["y" /* ltrim */](__WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["y" /* ltrim */](beforeEnterText, ' '), '\t'); } var virtualModel = { getLineTokens: function (lineNumber) { return model.getLineTokens(lineNumber); }, getLanguageIdentifier: function () { return model.getLanguageIdentifier(); }, getLanguageIdAtPosition: function (lineNumber, column) { return model.getLanguageIdAtPosition(lineNumber, column); }, getLineContent: function (lineNumber) { if (lineNumber === range.startLineNumber) { return beforeEnterResult; } else { return model.getLineContent(lineNumber); } } }; var currentLineIndent = __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](lineTokens.getLineContent()); var afterEnterAction = this.getInheritIndentForLine(virtualModel, range.startLineNumber + 1); if (!afterEnterAction) { var beforeEnter = embeddedLanguage ? currentLineIndent : beforeEnterIndent; return { beforeEnter: beforeEnter, afterEnter: beforeEnter }; } var afterEnterIndent = embeddedLanguage ? currentLineIndent : afterEnterAction.indentation; if (afterEnterAction.action === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) { afterEnterIndent = indentConverter.shiftIndent(afterEnterIndent); } if (indentRulesSupport.shouldDecrease(afterEnterText)) { afterEnterIndent = indentConverter.unshiftIndent(afterEnterIndent); } return { beforeEnter: embeddedLanguage ? currentLineIndent : beforeEnterIndent, afterEnter: afterEnterIndent }; }; /** * We should always allow intentional indentation. It means, if users change the indentation of `lineNumber` and the content of * this line doesn't match decreaseIndentPattern, we should not adjust the indentation. */ LanguageConfigurationRegistryImpl.prototype.getIndentActionForType = function (model, range, ch, indentConverter) { var scopedLineTokens = this.getScopedLineTokens(model, range.startLineNumber, range.startColumn); var indentRulesSupport = this.getIndentRulesSupport(scopedLineTokens.languageId); if (!indentRulesSupport) { return null; } var scopedLineText = scopedLineTokens.getLineContent(); var beforeTypeText = scopedLineText.substr(0, range.startColumn - 1 - scopedLineTokens.firstCharOffset); var afterTypeText; // selection support if (range.isEmpty()) { afterTypeText = scopedLineText.substr(range.startColumn - 1 - scopedLineTokens.firstCharOffset); } else { var endScopedLineTokens = this.getScopedLineTokens(model, range.endLineNumber, range.endColumn); afterTypeText = endScopedLineTokens.getLineContent().substr(range.endColumn - 1 - scopedLineTokens.firstCharOffset); } // If previous content already matches decreaseIndentPattern, it means indentation of this line should already be adjusted // Users might change the indentation by purpose and we should honor that instead of readjusting. if (!indentRulesSupport.shouldDecrease(beforeTypeText + afterTypeText) && indentRulesSupport.shouldDecrease(beforeTypeText + ch + afterTypeText)) { // after typing `ch`, the content matches decreaseIndentPattern, we should adjust the indent to a good manner. // 1. Get inherited indent action var r = this.getInheritIndentForLine(model, range.startLineNumber, false); if (!r) { return null; } var indentation = r.indentation; if (r.action !== __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) { indentation = indentConverter.unshiftIndent(indentation); } return indentation; } return null; }; LanguageConfigurationRegistryImpl.prototype.getIndentMetadata = function (model, lineNumber) { var indentRulesSupport = this.getIndentRulesSupport(model.getLanguageIdentifier().id); if (!indentRulesSupport) { return null; } if (lineNumber < 1 || lineNumber > model.getLineCount()) { return null; } return indentRulesSupport.getIndentMetadata(model.getLineContent(lineNumber)); }; // end Indent Rules // begin onEnter LanguageConfigurationRegistryImpl.prototype._getOnEnterSupport = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return null; } return value.onEnter || null; }; LanguageConfigurationRegistryImpl.prototype.getRawEnterActionAtPosition = function (model, lineNumber, column) { var r = this.getEnterAction(model, new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](lineNumber, column, lineNumber, column)); return r ? r.enterAction : null; }; LanguageConfigurationRegistryImpl.prototype.getEnterAction = function (model, range) { var indentation = this.getIndentationAtPosition(model, range.startLineNumber, range.startColumn); var scopedLineTokens = this.getScopedLineTokens(model, range.startLineNumber, range.startColumn); var onEnterSupport = this._getOnEnterSupport(scopedLineTokens.languageId); if (!onEnterSupport) { return null; } var scopedLineText = scopedLineTokens.getLineContent(); var beforeEnterText = scopedLineText.substr(0, range.startColumn - 1 - scopedLineTokens.firstCharOffset); var afterEnterText; // selection support if (range.isEmpty()) { afterEnterText = scopedLineText.substr(range.startColumn - 1 - scopedLineTokens.firstCharOffset); } else { var endScopedLineTokens = this.getScopedLineTokens(model, range.endLineNumber, range.endColumn); afterEnterText = endScopedLineTokens.getLineContent().substr(range.endColumn - 1 - scopedLineTokens.firstCharOffset); } var lineNumber = range.startLineNumber; var oneLineAboveText = ''; if (lineNumber > 1 && scopedLineTokens.firstCharOffset === 0) { // This is not the first line and the entire line belongs to this mode var oneLineAboveScopedLineTokens = this.getScopedLineTokens(model, lineNumber - 1); if (oneLineAboveScopedLineTokens.languageId === scopedLineTokens.languageId) { // The line above ends with text belonging to the same mode oneLineAboveText = oneLineAboveScopedLineTokens.getLineContent(); } } var enterResult = null; try { enterResult = onEnterSupport.onEnter(oneLineAboveText, beforeEnterText, afterEnterText); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); } if (!enterResult) { return null; } else { // Here we add `\t` to appendText first because enterAction is leveraging appendText and removeText to change indentation. if (!enterResult.appendText) { if ((enterResult.indentAction === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].Indent) || (enterResult.indentAction === __WEBPACK_IMPORTED_MODULE_6__languageConfiguration_js__["a" /* IndentAction */].IndentOutdent)) { enterResult.appendText = '\t'; } else { enterResult.appendText = ''; } } } if (enterResult.removeText) { indentation = indentation.substring(0, indentation.length - enterResult.removeText); } return { enterAction: enterResult, indentation: indentation, }; }; LanguageConfigurationRegistryImpl.prototype.getIndentationAtPosition = function (model, lineNumber, column) { var lineText = model.getLineContent(lineNumber); var indentation = __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["p" /* getLeadingWhitespace */](lineText); if (indentation.length > column - 1) { indentation = indentation.substring(0, column - 1); } return indentation; }; LanguageConfigurationRegistryImpl.prototype.getScopedLineTokens = function (model, lineNumber, columnNumber) { model.forceTokenization(lineNumber); var lineTokens = model.getLineTokens(lineNumber); var column = (typeof columnNumber === 'undefined' ? model.getLineMaxColumn(lineNumber) - 1 : columnNumber - 1); var scopedLineTokens = Object(__WEBPACK_IMPORTED_MODULE_7__supports_js__["a" /* createScopedLineTokens */])(lineTokens, column); return scopedLineTokens; }; // end onEnter LanguageConfigurationRegistryImpl.prototype.getBracketsSupport = function (languageId) { var value = this._getRichEditSupport(languageId); if (!value) { return null; } return value.brackets || null; }; return LanguageConfigurationRegistryImpl; }()); var LanguageConfigurationRegistry = new LanguageConfigurationRegistryImpl(); /***/ }), /***/ 1328: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return Viewport; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return MinimapLinesRenderingData; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ViewLineData; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return ViewLineRenderingData; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return InlineDecoration; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return ViewModelDecoration; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Viewport = /** @class */ (function () { function Viewport(top, left, width, height) { this.top = top | 0; this.left = left | 0; this.width = width | 0; this.height = height | 0; } return Viewport; }()); var MinimapLinesRenderingData = /** @class */ (function () { function MinimapLinesRenderingData(tabSize, data) { this.tabSize = tabSize; this.data = data; } return MinimapLinesRenderingData; }()); var ViewLineData = /** @class */ (function () { function ViewLineData(content, continuesWithWrappedLine, minColumn, maxColumn, tokens) { this.content = content; this.continuesWithWrappedLine = continuesWithWrappedLine; this.minColumn = minColumn; this.maxColumn = maxColumn; this.tokens = tokens; } return ViewLineData; }()); var ViewLineRenderingData = /** @class */ (function () { function ViewLineRenderingData(minColumn, maxColumn, content, continuesWithWrappedLine, mightContainRTL, mightContainNonBasicASCII, tokens, inlineDecorations, tabSize) { this.minColumn = minColumn; this.maxColumn = maxColumn; this.content = content; this.continuesWithWrappedLine = continuesWithWrappedLine; this.isBasicASCII = ViewLineRenderingData.isBasicASCII(content, mightContainNonBasicASCII); this.containsRTL = ViewLineRenderingData.containsRTL(content, this.isBasicASCII, mightContainRTL); this.tokens = tokens; this.inlineDecorations = inlineDecorations; this.tabSize = tabSize; } ViewLineRenderingData.isBasicASCII = function (lineContent, mightContainNonBasicASCII) { if (mightContainNonBasicASCII) { return __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["q" /* isBasicASCII */](lineContent); } return true; }; ViewLineRenderingData.containsRTL = function (lineContent, isBasicASCII, mightContainRTL) { if (!isBasicASCII && mightContainRTL) { return __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["f" /* containsRTL */](lineContent); } return false; }; return ViewLineRenderingData; }()); var InlineDecoration = /** @class */ (function () { function InlineDecoration(range, inlineClassName, type) { this.range = range; this.inlineClassName = inlineClassName; this.type = type; } return InlineDecoration; }()); var ViewModelDecoration = /** @class */ (function () { function ViewModelDecoration(range, options) { this.range = range; this.options = options; } return ViewModelDecoration; }()); /***/ }), /***/ 1329: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export Severity */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return INotificationService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return NoOpNotification; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_severity_js__ = __webpack_require__(1572); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Severity = __WEBPACK_IMPORTED_MODULE_0__base_common_severity_js__["a" /* default */]; var INotificationService = Object(__WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__["c" /* createDecorator */])('notificationService'); var NoOpNotification = /** @class */ (function () { function NoOpNotification() { } return NoOpNotification; }()); /***/ }), /***/ 1330: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DynamicViewOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_viewModel_viewEventHandler_js__ = __webpack_require__(1398); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var DynamicViewOverlay = /** @class */ (function (_super) { __extends(DynamicViewOverlay, _super); function DynamicViewOverlay() { return _super !== null && _super.apply(this, arguments) || this; } return DynamicViewOverlay; }(__WEBPACK_IMPORTED_MODULE_0__common_viewModel_viewEventHandler_js__["a" /* ViewEventHandler */])); /***/ }), /***/ 1331: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return RGBA; }); /* unused harmony export HSLA */ /* unused harmony export HSVA */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Color; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function roundFloat(number, decimalPoints) { var decimal = Math.pow(10, decimalPoints); return Math.round(number * decimal) / decimal; } var RGBA = /** @class */ (function () { function RGBA(r, g, b, a) { if (a === void 0) { a = 1; } this.r = Math.min(255, Math.max(0, r)) | 0; this.g = Math.min(255, Math.max(0, g)) | 0; this.b = Math.min(255, Math.max(0, b)) | 0; this.a = roundFloat(Math.max(Math.min(1, a), 0), 3); } RGBA.equals = function (a, b) { return a.r === b.r && a.g === b.g && a.b === b.b && a.a === b.a; }; return RGBA; }()); var HSLA = /** @class */ (function () { function HSLA(h, s, l, a) { this.h = Math.max(Math.min(360, h), 0) | 0; this.s = roundFloat(Math.max(Math.min(1, s), 0), 3); this.l = roundFloat(Math.max(Math.min(1, l), 0), 3); this.a = roundFloat(Math.max(Math.min(1, a), 0), 3); } HSLA.equals = function (a, b) { return a.h === b.h && a.s === b.s && a.l === b.l && a.a === b.a; }; /** * Converts an RGB color value to HSL. Conversion formula * adapted from http://en.wikipedia.org/wiki/HSL_color_space. * Assumes r, g, and b are contained in the set [0, 255] and * returns h in the set [0, 360], s, and l in the set [0, 1]. */ HSLA.fromRGBA = function (rgba) { var r = rgba.r / 255; var g = rgba.g / 255; var b = rgba.b / 255; var a = rgba.a; var max = Math.max(r, g, b); var min = Math.min(r, g, b); var h = 0; var s = 0; var l = (min + max) / 2; var chroma = max - min; if (chroma > 0) { s = Math.min((l <= 0.5 ? chroma / (2 * l) : chroma / (2 - (2 * l))), 1); switch (max) { case r: h = (g - b) / chroma + (g < b ? 6 : 0); break; case g: h = (b - r) / chroma + 2; break; case b: h = (r - g) / chroma + 4; break; } h *= 60; h = Math.round(h); } return new HSLA(h, s, l, a); }; HSLA._hue2rgb = function (p, q, t) { if (t < 0) { t += 1; } if (t > 1) { t -= 1; } if (t < 1 / 6) { return p + (q - p) * 6 * t; } if (t < 1 / 2) { return q; } if (t < 2 / 3) { return p + (q - p) * (2 / 3 - t) * 6; } return p; }; /** * Converts an HSL color value to RGB. Conversion formula * adapted from http://en.wikipedia.org/wiki/HSL_color_space. * Assumes h in the set [0, 360] s, and l are contained in the set [0, 1] and * returns r, g, and b in the set [0, 255]. */ HSLA.toRGBA = function (hsla) { var h = hsla.h / 360; var s = hsla.s, l = hsla.l, a = hsla.a; var r, g, b; if (s === 0) { r = g = b = l; // achromatic } else { var q = l < 0.5 ? l * (1 + s) : l + s - l * s; var p = 2 * l - q; r = HSLA._hue2rgb(p, q, h + 1 / 3); g = HSLA._hue2rgb(p, q, h); b = HSLA._hue2rgb(p, q, h - 1 / 3); } return new RGBA(Math.round(r * 255), Math.round(g * 255), Math.round(b * 255), a); }; return HSLA; }()); var HSVA = /** @class */ (function () { function HSVA(h, s, v, a) { this.h = Math.max(Math.min(360, h), 0) | 0; this.s = roundFloat(Math.max(Math.min(1, s), 0), 3); this.v = roundFloat(Math.max(Math.min(1, v), 0), 3); this.a = roundFloat(Math.max(Math.min(1, a), 0), 3); } HSVA.equals = function (a, b) { return a.h === b.h && a.s === b.s && a.v === b.v && a.a === b.a; }; // from http://www.rapidtables.com/convert/color/rgb-to-hsv.htm HSVA.fromRGBA = function (rgba) { var r = rgba.r / 255; var g = rgba.g / 255; var b = rgba.b / 255; var cmax = Math.max(r, g, b); var cmin = Math.min(r, g, b); var delta = cmax - cmin; var s = cmax === 0 ? 0 : (delta / cmax); var m; if (delta === 0) { m = 0; } else if (cmax === r) { m = ((((g - b) / delta) % 6) + 6) % 6; } else if (cmax === g) { m = ((b - r) / delta) + 2; } else { m = ((r - g) / delta) + 4; } return new HSVA(Math.round(m * 60), s, cmax, rgba.a); }; // from http://www.rapidtables.com/convert/color/hsv-to-rgb.htm HSVA.toRGBA = function (hsva) { var h = hsva.h, s = hsva.s, v = hsva.v, a = hsva.a; var c = v * s; var x = c * (1 - Math.abs((h / 60) % 2 - 1)); var m = v - c; var _a = [0, 0, 0], r = _a[0], g = _a[1], b = _a[2]; if (h < 60) { r = c; g = x; } else if (h < 120) { r = x; g = c; } else if (h < 180) { g = c; b = x; } else if (h < 240) { g = x; b = c; } else if (h < 300) { r = x; b = c; } else if (h < 360) { r = c; b = x; } r = Math.round((r + m) * 255); g = Math.round((g + m) * 255); b = Math.round((b + m) * 255); return new RGBA(r, g, b, a); }; return HSVA; }()); var Color = /** @class */ (function () { function Color(arg) { if (!arg) { throw new Error('Color needs a value'); } else if (arg instanceof RGBA) { this.rgba = arg; } else if (arg instanceof HSLA) { this._hsla = arg; this.rgba = HSLA.toRGBA(arg); } else if (arg instanceof HSVA) { this._hsva = arg; this.rgba = HSVA.toRGBA(arg); } else { throw new Error('Invalid color ctor argument'); } } Color.fromHex = function (hex) { return Color.Format.CSS.parseHex(hex) || Color.red; }; Object.defineProperty(Color.prototype, "hsla", { get: function () { if (this._hsla) { return this._hsla; } else { return HSLA.fromRGBA(this.rgba); } }, enumerable: true, configurable: true }); Object.defineProperty(Color.prototype, "hsva", { get: function () { if (this._hsva) { return this._hsva; } return HSVA.fromRGBA(this.rgba); }, enumerable: true, configurable: true }); Color.prototype.equals = function (other) { return !!other && RGBA.equals(this.rgba, other.rgba) && HSLA.equals(this.hsla, other.hsla) && HSVA.equals(this.hsva, other.hsva); }; /** * http://www.w3.org/TR/WCAG20/#relativeluminancedef * Returns the number in the set [0, 1]. O => Darkest Black. 1 => Lightest white. */ Color.prototype.getRelativeLuminance = function () { var R = Color._relativeLuminanceForComponent(this.rgba.r); var G = Color._relativeLuminanceForComponent(this.rgba.g); var B = Color._relativeLuminanceForComponent(this.rgba.b); var luminance = 0.2126 * R + 0.7152 * G + 0.0722 * B; return roundFloat(luminance, 4); }; Color._relativeLuminanceForComponent = function (color) { var c = color / 255; return (c <= 0.03928) ? c / 12.92 : Math.pow(((c + 0.055) / 1.055), 2.4); }; /** * http://24ways.org/2010/calculating-color-contrast * Return 'true' if lighter color otherwise 'false' */ Color.prototype.isLighter = function () { var yiq = (this.rgba.r * 299 + this.rgba.g * 587 + this.rgba.b * 114) / 1000; return yiq >= 128; }; Color.prototype.isLighterThan = function (another) { var lum1 = this.getRelativeLuminance(); var lum2 = another.getRelativeLuminance(); return lum1 > lum2; }; Color.prototype.isDarkerThan = function (another) { var lum1 = this.getRelativeLuminance(); var lum2 = another.getRelativeLuminance(); return lum1 < lum2; }; Color.prototype.lighten = function (factor) { return new Color(new HSLA(this.hsla.h, this.hsla.s, this.hsla.l + this.hsla.l * factor, this.hsla.a)); }; Color.prototype.darken = function (factor) { return new Color(new HSLA(this.hsla.h, this.hsla.s, this.hsla.l - this.hsla.l * factor, this.hsla.a)); }; Color.prototype.transparent = function (factor) { var _a = this.rgba, r = _a.r, g = _a.g, b = _a.b, a = _a.a; return new Color(new RGBA(r, g, b, a * factor)); }; Color.prototype.isTransparent = function () { return this.rgba.a === 0; }; Color.prototype.isOpaque = function () { return this.rgba.a === 1; }; Color.prototype.opposite = function () { return new Color(new RGBA(255 - this.rgba.r, 255 - this.rgba.g, 255 - this.rgba.b, this.rgba.a)); }; Color.prototype.toString = function () { return '' + Color.Format.CSS.format(this); }; Color.getLighterColor = function (of, relative, factor) { if (of.isLighterThan(relative)) { return of; } factor = factor ? factor : 0.5; var lum1 = of.getRelativeLuminance(); var lum2 = relative.getRelativeLuminance(); factor = factor * (lum2 - lum1) / lum2; return of.lighten(factor); }; Color.getDarkerColor = function (of, relative, factor) { if (of.isDarkerThan(relative)) { return of; } factor = factor ? factor : 0.5; var lum1 = of.getRelativeLuminance(); var lum2 = relative.getRelativeLuminance(); factor = factor * (lum1 - lum2) / lum1; return of.darken(factor); }; Color.white = new Color(new RGBA(255, 255, 255, 1)); Color.black = new Color(new RGBA(0, 0, 0, 1)); Color.red = new Color(new RGBA(255, 0, 0, 1)); Color.blue = new Color(new RGBA(0, 0, 255, 1)); Color.cyan = new Color(new RGBA(0, 255, 255, 1)); Color.lightgrey = new Color(new RGBA(211, 211, 211, 1)); Color.transparent = new Color(new RGBA(0, 0, 0, 0)); return Color; }()); (function (Color) { var Format; (function (Format) { var CSS; (function (CSS) { function formatRGB(color) { if (color.rgba.a === 1) { return "rgb(" + color.rgba.r + ", " + color.rgba.g + ", " + color.rgba.b + ")"; } return Color.Format.CSS.formatRGBA(color); } CSS.formatRGB = formatRGB; function formatRGBA(color) { return "rgba(" + color.rgba.r + ", " + color.rgba.g + ", " + color.rgba.b + ", " + +(color.rgba.a).toFixed(2) + ")"; } CSS.formatRGBA = formatRGBA; function formatHSL(color) { if (color.hsla.a === 1) { return "hsl(" + color.hsla.h + ", " + (color.hsla.s * 100).toFixed(2) + "%, " + (color.hsla.l * 100).toFixed(2) + "%)"; } return Color.Format.CSS.formatHSLA(color); } CSS.formatHSL = formatHSL; function formatHSLA(color) { return "hsla(" + color.hsla.h + ", " + (color.hsla.s * 100).toFixed(2) + "%, " + (color.hsla.l * 100).toFixed(2) + "%, " + color.hsla.a.toFixed(2) + ")"; } CSS.formatHSLA = formatHSLA; function _toTwoDigitHex(n) { var r = n.toString(16); return r.length !== 2 ? '0' + r : r; } /** * Formats the color as #RRGGBB */ function formatHex(color) { return "#" + _toTwoDigitHex(color.rgba.r) + _toTwoDigitHex(color.rgba.g) + _toTwoDigitHex(color.rgba.b); } CSS.formatHex = formatHex; /** * Formats the color as #RRGGBBAA * If 'compact' is set, colors without transparancy will be printed as #RRGGBB */ function formatHexA(color, compact) { if (compact === void 0) { compact = false; } if (compact && color.rgba.a === 1) { return Color.Format.CSS.formatHex(color); } return "#" + _toTwoDigitHex(color.rgba.r) + _toTwoDigitHex(color.rgba.g) + _toTwoDigitHex(color.rgba.b) + _toTwoDigitHex(Math.round(color.rgba.a * 255)); } CSS.formatHexA = formatHexA; /** * The default format will use HEX if opaque and RGBA otherwise. */ function format(color) { if (!color) { return null; } if (color.isOpaque()) { return Color.Format.CSS.formatHex(color); } return Color.Format.CSS.formatRGBA(color); } CSS.format = format; /** * Converts an Hex color value to a Color. * returns r, g, and b are contained in the set [0, 255] * @param hex string (#RGB, #RGBA, #RRGGBB or #RRGGBBAA). */ function parseHex(hex) { if (!hex) { // Invalid color return null; } var length = hex.length; if (length === 0) { // Invalid color return null; } if (hex.charCodeAt(0) !== 35 /* Hash */) { // Does not begin with a # return null; } if (length === 7) { // #RRGGBB format var r = 16 * _parseHexDigit(hex.charCodeAt(1)) + _parseHexDigit(hex.charCodeAt(2)); var g = 16 * _parseHexDigit(hex.charCodeAt(3)) + _parseHexDigit(hex.charCodeAt(4)); var b = 16 * _parseHexDigit(hex.charCodeAt(5)) + _parseHexDigit(hex.charCodeAt(6)); return new Color(new RGBA(r, g, b, 1)); } if (length === 9) { // #RRGGBBAA format var r = 16 * _parseHexDigit(hex.charCodeAt(1)) + _parseHexDigit(hex.charCodeAt(2)); var g = 16 * _parseHexDigit(hex.charCodeAt(3)) + _parseHexDigit(hex.charCodeAt(4)); var b = 16 * _parseHexDigit(hex.charCodeAt(5)) + _parseHexDigit(hex.charCodeAt(6)); var a = 16 * _parseHexDigit(hex.charCodeAt(7)) + _parseHexDigit(hex.charCodeAt(8)); return new Color(new RGBA(r, g, b, a / 255)); } if (length === 4) { // #RGB format var r = _parseHexDigit(hex.charCodeAt(1)); var g = _parseHexDigit(hex.charCodeAt(2)); var b = _parseHexDigit(hex.charCodeAt(3)); return new Color(new RGBA(16 * r + r, 16 * g + g, 16 * b + b)); } if (length === 5) { // #RGBA format var r = _parseHexDigit(hex.charCodeAt(1)); var g = _parseHexDigit(hex.charCodeAt(2)); var b = _parseHexDigit(hex.charCodeAt(3)); var a = _parseHexDigit(hex.charCodeAt(4)); return new Color(new RGBA(16 * r + r, 16 * g + g, 16 * b + b, (16 * a + a) / 255)); } // Invalid color return null; } CSS.parseHex = parseHex; function _parseHexDigit(charCode) { switch (charCode) { case 48 /* Digit0 */: return 0; case 49 /* Digit1 */: return 1; case 50 /* Digit2 */: return 2; case 51 /* Digit3 */: return 3; case 52 /* Digit4 */: return 4; case 53 /* Digit5 */: return 5; case 54 /* Digit6 */: return 6; case 55 /* Digit7 */: return 7; case 56 /* Digit8 */: return 8; case 57 /* Digit9 */: return 9; case 97 /* a */: return 10; case 65 /* A */: return 10; case 98 /* b */: return 11; case 66 /* B */: return 11; case 99 /* c */: return 12; case 67 /* C */: return 12; case 100 /* d */: return 13; case 68 /* D */: return 13; case 101 /* e */: return 14; case 69 /* E */: return 14; case 102 /* f */: return 15; case 70 /* F */: return 15; } return 0; } })(CSS = Format.CSS || (Format.CSS = {})); })(Format = Color.Format || (Color.Format = {})); })(Color || (Color = {})); /***/ }), /***/ 1356: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return KeyCodeUtils; }); /* harmony export (immutable) */ __webpack_exports__["a"] = KeyChord; /* harmony export (immutable) */ __webpack_exports__["f"] = createKeybinding; /* unused harmony export createSimpleKeybinding */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return SimpleKeybinding; }); /* unused harmony export ChordKeybinding */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return ResolvedKeybindingPart; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ResolvedKeybinding; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__errors_js__ = __webpack_require__(956); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var KeyCodeStrMap = /** @class */ (function () { function KeyCodeStrMap() { this._keyCodeToStr = []; this._strToKeyCode = Object.create(null); } KeyCodeStrMap.prototype.define = function (keyCode, str) { this._keyCodeToStr[keyCode] = str; this._strToKeyCode[str.toLowerCase()] = keyCode; }; KeyCodeStrMap.prototype.keyCodeToStr = function (keyCode) { return this._keyCodeToStr[keyCode]; }; KeyCodeStrMap.prototype.strToKeyCode = function (str) { return this._strToKeyCode[str.toLowerCase()] || 0 /* Unknown */; }; return KeyCodeStrMap; }()); var uiMap = new KeyCodeStrMap(); var userSettingsUSMap = new KeyCodeStrMap(); var userSettingsGeneralMap = new KeyCodeStrMap(); (function () { function define(keyCode, uiLabel, usUserSettingsLabel, generalUserSettingsLabel) { if (usUserSettingsLabel === void 0) { usUserSettingsLabel = uiLabel; } if (generalUserSettingsLabel === void 0) { generalUserSettingsLabel = usUserSettingsLabel; } uiMap.define(keyCode, uiLabel); userSettingsUSMap.define(keyCode, usUserSettingsLabel); userSettingsGeneralMap.define(keyCode, generalUserSettingsLabel); } define(0 /* Unknown */, 'unknown'); define(1 /* Backspace */, 'Backspace'); define(2 /* Tab */, 'Tab'); define(3 /* Enter */, 'Enter'); define(4 /* Shift */, 'Shift'); define(5 /* Ctrl */, 'Ctrl'); define(6 /* Alt */, 'Alt'); define(7 /* PauseBreak */, 'PauseBreak'); define(8 /* CapsLock */, 'CapsLock'); define(9 /* Escape */, 'Escape'); define(10 /* Space */, 'Space'); define(11 /* PageUp */, 'PageUp'); define(12 /* PageDown */, 'PageDown'); define(13 /* End */, 'End'); define(14 /* Home */, 'Home'); define(15 /* LeftArrow */, 'LeftArrow', 'Left'); define(16 /* UpArrow */, 'UpArrow', 'Up'); define(17 /* RightArrow */, 'RightArrow', 'Right'); define(18 /* DownArrow */, 'DownArrow', 'Down'); define(19 /* Insert */, 'Insert'); define(20 /* Delete */, 'Delete'); define(21 /* KEY_0 */, '0'); define(22 /* KEY_1 */, '1'); define(23 /* KEY_2 */, '2'); define(24 /* KEY_3 */, '3'); define(25 /* KEY_4 */, '4'); define(26 /* KEY_5 */, '5'); define(27 /* KEY_6 */, '6'); define(28 /* KEY_7 */, '7'); define(29 /* KEY_8 */, '8'); define(30 /* KEY_9 */, '9'); define(31 /* KEY_A */, 'A'); define(32 /* KEY_B */, 'B'); define(33 /* KEY_C */, 'C'); define(34 /* KEY_D */, 'D'); define(35 /* KEY_E */, 'E'); define(36 /* KEY_F */, 'F'); define(37 /* KEY_G */, 'G'); define(38 /* KEY_H */, 'H'); define(39 /* KEY_I */, 'I'); define(40 /* KEY_J */, 'J'); define(41 /* KEY_K */, 'K'); define(42 /* KEY_L */, 'L'); define(43 /* KEY_M */, 'M'); define(44 /* KEY_N */, 'N'); define(45 /* KEY_O */, 'O'); define(46 /* KEY_P */, 'P'); define(47 /* KEY_Q */, 'Q'); define(48 /* KEY_R */, 'R'); define(49 /* KEY_S */, 'S'); define(50 /* KEY_T */, 'T'); define(51 /* KEY_U */, 'U'); define(52 /* KEY_V */, 'V'); define(53 /* KEY_W */, 'W'); define(54 /* KEY_X */, 'X'); define(55 /* KEY_Y */, 'Y'); define(56 /* KEY_Z */, 'Z'); define(57 /* Meta */, 'Meta'); define(58 /* ContextMenu */, 'ContextMenu'); define(59 /* F1 */, 'F1'); define(60 /* F2 */, 'F2'); define(61 /* F3 */, 'F3'); define(62 /* F4 */, 'F4'); define(63 /* F5 */, 'F5'); define(64 /* F6 */, 'F6'); define(65 /* F7 */, 'F7'); define(66 /* F8 */, 'F8'); define(67 /* F9 */, 'F9'); define(68 /* F10 */, 'F10'); define(69 /* F11 */, 'F11'); define(70 /* F12 */, 'F12'); define(71 /* F13 */, 'F13'); define(72 /* F14 */, 'F14'); define(73 /* F15 */, 'F15'); define(74 /* F16 */, 'F16'); define(75 /* F17 */, 'F17'); define(76 /* F18 */, 'F18'); define(77 /* F19 */, 'F19'); define(78 /* NumLock */, 'NumLock'); define(79 /* ScrollLock */, 'ScrollLock'); define(80 /* US_SEMICOLON */, ';', ';', 'OEM_1'); define(81 /* US_EQUAL */, '=', '=', 'OEM_PLUS'); define(82 /* US_COMMA */, ',', ',', 'OEM_COMMA'); define(83 /* US_MINUS */, '-', '-', 'OEM_MINUS'); define(84 /* US_DOT */, '.', '.', 'OEM_PERIOD'); define(85 /* US_SLASH */, '/', '/', 'OEM_2'); define(86 /* US_BACKTICK */, '`', '`', 'OEM_3'); define(110 /* ABNT_C1 */, 'ABNT_C1'); define(111 /* ABNT_C2 */, 'ABNT_C2'); define(87 /* US_OPEN_SQUARE_BRACKET */, '[', '[', 'OEM_4'); define(88 /* US_BACKSLASH */, '\\', '\\', 'OEM_5'); define(89 /* US_CLOSE_SQUARE_BRACKET */, ']', ']', 'OEM_6'); define(90 /* US_QUOTE */, '\'', '\'', 'OEM_7'); define(91 /* OEM_8 */, 'OEM_8'); define(92 /* OEM_102 */, 'OEM_102'); define(93 /* NUMPAD_0 */, 'NumPad0'); define(94 /* NUMPAD_1 */, 'NumPad1'); define(95 /* NUMPAD_2 */, 'NumPad2'); define(96 /* NUMPAD_3 */, 'NumPad3'); define(97 /* NUMPAD_4 */, 'NumPad4'); define(98 /* NUMPAD_5 */, 'NumPad5'); define(99 /* NUMPAD_6 */, 'NumPad6'); define(100 /* NUMPAD_7 */, 'NumPad7'); define(101 /* NUMPAD_8 */, 'NumPad8'); define(102 /* NUMPAD_9 */, 'NumPad9'); define(103 /* NUMPAD_MULTIPLY */, 'NumPad_Multiply'); define(104 /* NUMPAD_ADD */, 'NumPad_Add'); define(105 /* NUMPAD_SEPARATOR */, 'NumPad_Separator'); define(106 /* NUMPAD_SUBTRACT */, 'NumPad_Subtract'); define(107 /* NUMPAD_DECIMAL */, 'NumPad_Decimal'); define(108 /* NUMPAD_DIVIDE */, 'NumPad_Divide'); })(); var KeyCodeUtils; (function (KeyCodeUtils) { function toString(keyCode) { return uiMap.keyCodeToStr(keyCode); } KeyCodeUtils.toString = toString; function fromString(key) { return uiMap.strToKeyCode(key); } KeyCodeUtils.fromString = fromString; function toUserSettingsUS(keyCode) { return userSettingsUSMap.keyCodeToStr(keyCode); } KeyCodeUtils.toUserSettingsUS = toUserSettingsUS; function toUserSettingsGeneral(keyCode) { return userSettingsGeneralMap.keyCodeToStr(keyCode); } KeyCodeUtils.toUserSettingsGeneral = toUserSettingsGeneral; function fromUserSettings(key) { return userSettingsUSMap.strToKeyCode(key) || userSettingsGeneralMap.strToKeyCode(key); } KeyCodeUtils.fromUserSettings = fromUserSettings; })(KeyCodeUtils || (KeyCodeUtils = {})); function KeyChord(firstPart, secondPart) { var chordPart = ((secondPart & 0x0000FFFF) << 16) >>> 0; return (firstPart | chordPart) >>> 0; } function createKeybinding(keybinding, OS) { if (keybinding === 0) { return null; } var firstPart = (keybinding & 0x0000FFFF) >>> 0; var chordPart = (keybinding & 0xFFFF0000) >>> 16; if (chordPart !== 0) { return new ChordKeybinding([ createSimpleKeybinding(firstPart, OS), createSimpleKeybinding(chordPart, OS) ]); } return new ChordKeybinding([createSimpleKeybinding(firstPart, OS)]); } function createSimpleKeybinding(keybinding, OS) { var ctrlCmd = (keybinding & 2048 /* CtrlCmd */ ? true : false); var winCtrl = (keybinding & 256 /* WinCtrl */ ? true : false); var ctrlKey = (OS === 2 /* Macintosh */ ? winCtrl : ctrlCmd); var shiftKey = (keybinding & 1024 /* Shift */ ? true : false); var altKey = (keybinding & 512 /* Alt */ ? true : false); var metaKey = (OS === 2 /* Macintosh */ ? ctrlCmd : winCtrl); var keyCode = (keybinding & 255 /* KeyCode */); return new SimpleKeybinding(ctrlKey, shiftKey, altKey, metaKey, keyCode); } var SimpleKeybinding = /** @class */ (function () { function SimpleKeybinding(ctrlKey, shiftKey, altKey, metaKey, keyCode) { this.ctrlKey = ctrlKey; this.shiftKey = shiftKey; this.altKey = altKey; this.metaKey = metaKey; this.keyCode = keyCode; } SimpleKeybinding.prototype.equals = function (other) { return (this.ctrlKey === other.ctrlKey && this.shiftKey === other.shiftKey && this.altKey === other.altKey && this.metaKey === other.metaKey && this.keyCode === other.keyCode); }; SimpleKeybinding.prototype.isModifierKey = function () { return (this.keyCode === 0 /* Unknown */ || this.keyCode === 5 /* Ctrl */ || this.keyCode === 57 /* Meta */ || this.keyCode === 6 /* Alt */ || this.keyCode === 4 /* Shift */); }; SimpleKeybinding.prototype.toChord = function () { return new ChordKeybinding([this]); }; /** * Does this keybinding refer to the key code of a modifier and it also has the modifier flag? */ SimpleKeybinding.prototype.isDuplicateModifierCase = function () { return ((this.ctrlKey && this.keyCode === 5 /* Ctrl */) || (this.shiftKey && this.keyCode === 4 /* Shift */) || (this.altKey && this.keyCode === 6 /* Alt */) || (this.metaKey && this.keyCode === 57 /* Meta */)); }; return SimpleKeybinding; }()); var ChordKeybinding = /** @class */ (function () { function ChordKeybinding(parts) { if (parts.length === 0) { throw Object(__WEBPACK_IMPORTED_MODULE_0__errors_js__["b" /* illegalArgument */])("parts"); } this.parts = parts; } ChordKeybinding.prototype.equals = function (other) { if (other === null) { return false; } if (this.parts.length !== other.parts.length) { return false; } for (var i = 0; i < this.parts.length; i++) { if (!this.parts[i].equals(other.parts[i])) { return false; } } return true; }; return ChordKeybinding; }()); var ResolvedKeybindingPart = /** @class */ (function () { function ResolvedKeybindingPart(ctrlKey, shiftKey, altKey, metaKey, kbLabel, kbAriaLabel) { this.ctrlKey = ctrlKey; this.shiftKey = shiftKey; this.altKey = altKey; this.metaKey = metaKey; this.keyLabel = kbLabel; this.keyAriaLabel = kbAriaLabel; } return ResolvedKeybindingPart; }()); /** * A resolved keybinding. Can be a simple keybinding or a chord keybinding. */ var ResolvedKeybinding = /** @class */ (function () { function ResolvedKeybinding() { } return ResolvedKeybinding; }()); /***/ }), /***/ 1357: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return domEvent; }); /* unused harmony export stop */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var domEvent = function (element, type, useCapture) { var fn = function (e) { return emitter.fire(e); }; var emitter = new __WEBPACK_IMPORTED_MODULE_0__common_event_js__["a" /* Emitter */]({ onFirstListenerAdd: function () { element.addEventListener(type, fn, useCapture); }, onLastListenerRemove: function () { element.removeEventListener(type, fn, useCapture); } }); return emitter.event; }; function stop(event) { return __WEBPACK_IMPORTED_MODULE_0__common_event_js__["b" /* Event */].map(event, function (e) { e.preventDefault(); e.stopPropagation(); return e; }); } /***/ }), /***/ 1358: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Schemas; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Schemas; (function (Schemas) { /** * A schema that is used for models that exist in memory * only and that have no correspondence on a server or such. */ Schemas.inMemory = 'inmemory'; /** * A schema that is used for setting files */ Schemas.vscode = 'vscode'; /** * A schema that is used for internal private files */ Schemas.internal = 'private'; /** * A walk-through document. */ Schemas.walkThrough = 'walkThrough'; /** * An embedded code snippet. */ Schemas.walkThroughSnippet = 'walkThroughSnippet'; Schemas.http = 'http'; Schemas.https = 'https'; Schemas.file = 'file'; Schemas.mailto = 'mailto'; Schemas.untitled = 'untitled'; Schemas.data = 'data'; Schemas.command = 'command'; })(Schemas || (Schemas = {})); /***/ }), /***/ 1359: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewConfigurationChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ViewCursorStateChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ViewDecorationsChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return ViewFlushedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return ViewFocusChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return ViewLineMappingChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return ViewLinesChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return ViewLinesDeletedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return ViewLinesInsertedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return ViewRevealRangeRequestEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return ViewScrollChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "o", function() { return ViewTokensChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return ViewThemeChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "p", function() { return ViewTokensColorsChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "q", function() { return ViewZonesChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return ViewLanguageConfigurationEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return ViewEventEmitter; }); /* unused harmony export ViewEventsCollector */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewConfigurationChangedEvent = /** @class */ (function () { function ViewConfigurationChangedEvent(source) { this.type = 1 /* ViewConfigurationChanged */; this.canUseLayerHinting = source.canUseLayerHinting; this.pixelRatio = source.pixelRatio; this.editorClassName = source.editorClassName; this.lineHeight = source.lineHeight; this.readOnly = source.readOnly; this.accessibilitySupport = source.accessibilitySupport; this.emptySelectionClipboard = source.emptySelectionClipboard; this.copyWithSyntaxHighlighting = source.copyWithSyntaxHighlighting; this.layoutInfo = source.layoutInfo; this.fontInfo = source.fontInfo; this.viewInfo = source.viewInfo; this.wrappingInfo = source.wrappingInfo; } return ViewConfigurationChangedEvent; }()); var ViewCursorStateChangedEvent = /** @class */ (function () { function ViewCursorStateChangedEvent(selections) { this.type = 2 /* ViewCursorStateChanged */; this.selections = selections; } return ViewCursorStateChangedEvent; }()); var ViewDecorationsChangedEvent = /** @class */ (function () { function ViewDecorationsChangedEvent() { this.type = 3 /* ViewDecorationsChanged */; // Nothing to do } return ViewDecorationsChangedEvent; }()); var ViewFlushedEvent = /** @class */ (function () { function ViewFlushedEvent() { this.type = 4 /* ViewFlushed */; // Nothing to do } return ViewFlushedEvent; }()); var ViewFocusChangedEvent = /** @class */ (function () { function ViewFocusChangedEvent(isFocused) { this.type = 5 /* ViewFocusChanged */; this.isFocused = isFocused; } return ViewFocusChangedEvent; }()); var ViewLineMappingChangedEvent = /** @class */ (function () { function ViewLineMappingChangedEvent() { this.type = 6 /* ViewLineMappingChanged */; // Nothing to do } return ViewLineMappingChangedEvent; }()); var ViewLinesChangedEvent = /** @class */ (function () { function ViewLinesChangedEvent(fromLineNumber, toLineNumber) { this.type = 7 /* ViewLinesChanged */; this.fromLineNumber = fromLineNumber; this.toLineNumber = toLineNumber; } return ViewLinesChangedEvent; }()); var ViewLinesDeletedEvent = /** @class */ (function () { function ViewLinesDeletedEvent(fromLineNumber, toLineNumber) { this.type = 8 /* ViewLinesDeleted */; this.fromLineNumber = fromLineNumber; this.toLineNumber = toLineNumber; } return ViewLinesDeletedEvent; }()); var ViewLinesInsertedEvent = /** @class */ (function () { function ViewLinesInsertedEvent(fromLineNumber, toLineNumber) { this.type = 9 /* ViewLinesInserted */; this.fromLineNumber = fromLineNumber; this.toLineNumber = toLineNumber; } return ViewLinesInsertedEvent; }()); var ViewRevealRangeRequestEvent = /** @class */ (function () { function ViewRevealRangeRequestEvent(range, verticalType, revealHorizontal, scrollType) { this.type = 10 /* ViewRevealRangeRequest */; this.range = range; this.verticalType = verticalType; this.revealHorizontal = revealHorizontal; this.scrollType = scrollType; } return ViewRevealRangeRequestEvent; }()); var ViewScrollChangedEvent = /** @class */ (function () { function ViewScrollChangedEvent(source) { this.type = 11 /* ViewScrollChanged */; this.scrollWidth = source.scrollWidth; this.scrollLeft = source.scrollLeft; this.scrollHeight = source.scrollHeight; this.scrollTop = source.scrollTop; this.scrollWidthChanged = source.scrollWidthChanged; this.scrollLeftChanged = source.scrollLeftChanged; this.scrollHeightChanged = source.scrollHeightChanged; this.scrollTopChanged = source.scrollTopChanged; } return ViewScrollChangedEvent; }()); var ViewTokensChangedEvent = /** @class */ (function () { function ViewTokensChangedEvent(ranges) { this.type = 12 /* ViewTokensChanged */; this.ranges = ranges; } return ViewTokensChangedEvent; }()); var ViewThemeChangedEvent = /** @class */ (function () { function ViewThemeChangedEvent() { this.type = 15 /* ViewThemeChanged */; } return ViewThemeChangedEvent; }()); var ViewTokensColorsChangedEvent = /** @class */ (function () { function ViewTokensColorsChangedEvent() { this.type = 13 /* ViewTokensColorsChanged */; // Nothing to do } return ViewTokensColorsChangedEvent; }()); var ViewZonesChangedEvent = /** @class */ (function () { function ViewZonesChangedEvent() { this.type = 14 /* ViewZonesChanged */; // Nothing to do } return ViewZonesChangedEvent; }()); var ViewLanguageConfigurationEvent = /** @class */ (function () { function ViewLanguageConfigurationEvent() { this.type = 16 /* ViewLanguageConfigurationChanged */; } return ViewLanguageConfigurationEvent; }()); var ViewEventEmitter = /** @class */ (function (_super) { __extends(ViewEventEmitter, _super); function ViewEventEmitter() { var _this = _super.call(this) || this; _this._listeners = []; _this._collector = null; _this._collectorCnt = 0; return _this; } ViewEventEmitter.prototype.dispose = function () { this._listeners = []; _super.prototype.dispose.call(this); }; ViewEventEmitter.prototype._beginEmit = function () { this._collectorCnt++; if (this._collectorCnt === 1) { this._collector = new ViewEventsCollector(); } return this._collector; }; ViewEventEmitter.prototype._endEmit = function () { this._collectorCnt--; if (this._collectorCnt === 0) { var events = this._collector.finalize(); this._collector = null; if (events.length > 0) { this._emit(events); } } }; ViewEventEmitter.prototype._emit = function (events) { var listeners = this._listeners.slice(0); for (var i = 0, len = listeners.length; i < len; i++) { safeInvokeListener(listeners[i], events); } }; ViewEventEmitter.prototype.addEventListener = function (listener) { var _this = this; this._listeners.push(listener); return Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { var listeners = _this._listeners; for (var i = 0, len = listeners.length; i < len; i++) { if (listeners[i] === listener) { listeners.splice(i, 1); break; } } }); }; return ViewEventEmitter; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); var ViewEventsCollector = /** @class */ (function () { function ViewEventsCollector() { this._eventsLen = 0; this._events = []; this._eventsLen = 0; } ViewEventsCollector.prototype.emit = function (event) { this._events[this._eventsLen++] = event; }; ViewEventsCollector.prototype.finalize = function () { var result = this._events; this._events = []; return result; }; return ViewEventsCollector; }()); function safeInvokeListener(listener, events) { try { listener(events); } catch (e) { __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */](e); } } /***/ }), /***/ 1392: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return FIN; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return Iterator; }); /* harmony export (immutable) */ __webpack_exports__["c"] = getSequenceIterator; /* unused harmony export ArrayIterator */ /* unused harmony export ArrayNavigator */ /* unused harmony export MappedIterator */ /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var FIN = { done: true, value: undefined }; var Iterator; (function (Iterator) { var _empty = { next: function () { return FIN; } }; function empty() { return _empty; } Iterator.empty = empty; function fromArray(array, index, length) { if (index === void 0) { index = 0; } if (length === void 0) { length = array.length; } return { next: function () { if (index >= length) { return FIN; } return { done: false, value: array[index++] }; } }; } Iterator.fromArray = fromArray; function from(elements) { if (!elements) { return Iterator.empty(); } else if (Array.isArray(elements)) { return Iterator.fromArray(elements); } else { return elements; } } Iterator.from = from; function map(iterator, fn) { return { next: function () { var element = iterator.next(); if (element.done) { return FIN; } else { return { done: false, value: fn(element.value) }; } } }; } Iterator.map = map; function filter(iterator, fn) { return { next: function () { while (true) { var element = iterator.next(); if (element.done) { return FIN; } if (fn(element.value)) { return { done: false, value: element.value }; } } } }; } Iterator.filter = filter; function forEach(iterator, fn) { for (var next = iterator.next(); !next.done; next = iterator.next()) { fn(next.value); } } Iterator.forEach = forEach; function collect(iterator) { var result = []; forEach(iterator, function (value) { return result.push(value); }); return result; } Iterator.collect = collect; })(Iterator || (Iterator = {})); function getSequenceIterator(arg) { if (Array.isArray(arg)) { return Iterator.fromArray(arg); } else { return arg; } } var ArrayIterator = /** @class */ (function () { function ArrayIterator(items, start, end, index) { if (start === void 0) { start = 0; } if (end === void 0) { end = items.length; } if (index === void 0) { index = start - 1; } this.items = items; this.start = start; this.end = end; this.index = index; } ArrayIterator.prototype.next = function () { this.index = Math.min(this.index + 1, this.end); return this.current(); }; ArrayIterator.prototype.current = function () { if (this.index === this.start - 1 || this.index === this.end) { return null; } return this.items[this.index]; }; return ArrayIterator; }()); var ArrayNavigator = /** @class */ (function (_super) { __extends(ArrayNavigator, _super); function ArrayNavigator(items, start, end, index) { if (start === void 0) { start = 0; } if (end === void 0) { end = items.length; } if (index === void 0) { index = start - 1; } return _super.call(this, items, start, end, index) || this; } ArrayNavigator.prototype.current = function () { return _super.prototype.current.call(this); }; ArrayNavigator.prototype.previous = function () { this.index = Math.max(this.index - 1, this.start - 1); return this.current(); }; ArrayNavigator.prototype.first = function () { this.index = this.start; return this.current(); }; ArrayNavigator.prototype.last = function () { this.index = this.end - 1; return this.current(); }; ArrayNavigator.prototype.parent = function () { return null; }; return ArrayNavigator; }(ArrayIterator)); var MappedIterator = /** @class */ (function () { function MappedIterator(iterator, fn) { this.iterator = iterator; this.fn = fn; // noop } MappedIterator.prototype.next = function () { return this.fn(this.iterator.next()); }; return MappedIterator; }()); /***/ }), /***/ 1393: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IModelService; }); /* harmony export (immutable) */ __webpack_exports__["b"] = shouldSynchronizeModel; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IModelService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('modelService'); function shouldSynchronizeModel(model) { return (!model.isTooLargeForSyncing() && !model.isForSimpleWidget); } /***/ }), /***/ 1394: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IndentAction; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return StandardAutoClosingPairConditional; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Describes what to do with the indentation when pressing Enter. */ var IndentAction; (function (IndentAction) { /** * Insert new line and copy the previous line's indentation. */ IndentAction[IndentAction["None"] = 0] = "None"; /** * Insert new line and indent once (relative to the previous line's indentation). */ IndentAction[IndentAction["Indent"] = 1] = "Indent"; /** * Insert two new lines: * - the first one indented which will hold the cursor * - the second one at the same indentation level */ IndentAction[IndentAction["IndentOutdent"] = 2] = "IndentOutdent"; /** * Insert new line and outdent once (relative to the previous line's indentation). */ IndentAction[IndentAction["Outdent"] = 3] = "Outdent"; })(IndentAction || (IndentAction = {})); /** * @internal */ var StandardAutoClosingPairConditional = /** @class */ (function () { function StandardAutoClosingPairConditional(source) { this.open = source.open; this.close = source.close; // initially allowed in all tokens this._standardTokenMask = 0; if (Array.isArray(source.notIn)) { for (var i = 0, len = source.notIn.length; i < len; i++) { var notIn = source.notIn[i]; switch (notIn) { case 'string': this._standardTokenMask |= 2 /* String */; break; case 'comment': this._standardTokenMask |= 1 /* Comment */; break; case 'regex': this._standardTokenMask |= 4 /* RegEx */; break; } } } } StandardAutoClosingPairConditional.prototype.isOK = function (standardToken) { return (this._standardTokenMask & standardToken) === 0; }; return StandardAutoClosingPairConditional; }()); /***/ }), /***/ 1395: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Extensions; }); /* unused harmony export allSettings */ /* unused harmony export applicationSettings */ /* unused harmony export windowSettings */ /* unused harmony export resourceSettings */ /* unused harmony export editorConfigurationSchemaId */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return OVERRIDE_PROPERTY_PATTERN; }); /* unused harmony export getDefaultValue */ /* unused harmony export validateProperty */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__jsonschemas_common_jsonContributionRegistry_js__ = __webpack_require__(1692); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Extensions = { Configuration: 'base.contributions.configuration' }; var allSettings = { properties: {}, patternProperties: {} }; var applicationSettings = { properties: {}, patternProperties: {} }; var windowSettings = { properties: {}, patternProperties: {} }; var resourceSettings = { properties: {}, patternProperties: {} }; var editorConfigurationSchemaId = 'vscode://schemas/settings/editor'; var contributionRegistry = __WEBPACK_IMPORTED_MODULE_2__registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_5__jsonschemas_common_jsonContributionRegistry_js__["a" /* Extensions */].JSONContribution); var ConfigurationRegistry = /** @class */ (function () { function ConfigurationRegistry() { this.overrideIdentifiers = []; this._onDidSchemaChange = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this._onDidUpdateConfiguration = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this.defaultOverridesConfigurationNode = { id: 'defaultOverrides', title: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('defaultConfigurations.title', "Default Configuration Overrides"), properties: {} }; this.configurationContributors = [this.defaultOverridesConfigurationNode]; this.editorConfigurationSchema = { properties: {}, patternProperties: {}, additionalProperties: false, errorMessage: 'Unknown editor configuration setting' }; this.configurationProperties = {}; this.excludedConfigurationProperties = {}; this.computeOverridePropertyPattern(); contributionRegistry.registerSchema(editorConfigurationSchemaId, this.editorConfigurationSchema); } ConfigurationRegistry.prototype.registerConfiguration = function (configuration, validate) { if (validate === void 0) { validate = true; } this.registerConfigurations([configuration], validate); }; ConfigurationRegistry.prototype.registerConfigurations = function (configurations, validate) { var _this = this; if (validate === void 0) { validate = true; } var properties = []; configurations.forEach(function (configuration) { properties.push.apply(properties, _this.validateAndRegisterProperties(configuration, validate)); // fills in defaults _this.configurationContributors.push(configuration); _this.registerJSONConfiguration(configuration); _this.updateSchemaForOverrideSettingsConfiguration(configuration); }); this._onDidSchemaChange.fire(); this._onDidUpdateConfiguration.fire(properties); }; ConfigurationRegistry.prototype.registerOverrideIdentifiers = function (overrideIdentifiers) { var _a; (_a = this.overrideIdentifiers).push.apply(_a, overrideIdentifiers); this.updateOverridePropertyPatternKey(); }; ConfigurationRegistry.prototype.validateAndRegisterProperties = function (configuration, validate, scope, overridable) { if (validate === void 0) { validate = true; } if (scope === void 0) { scope = 2 /* WINDOW */; } if (overridable === void 0) { overridable = false; } scope = __WEBPACK_IMPORTED_MODULE_3__base_common_types_js__["k" /* isUndefinedOrNull */](configuration.scope) ? scope : configuration.scope; overridable = configuration.overridable || overridable; var propertyKeys = []; var properties = configuration.properties; if (properties) { for (var key in properties) { var message = void 0; if (validate && (message = validateProperty(key))) { console.warn(message); delete properties[key]; continue; } // fill in default values var property = properties[key]; var defaultValue = property.default; if (__WEBPACK_IMPORTED_MODULE_3__base_common_types_js__["j" /* isUndefined */](defaultValue)) { property.default = getDefaultValue(property.type); } // Inherit overridable property from parent if (overridable) { property.overridable = true; } if (OVERRIDE_PROPERTY_PATTERN.test(key)) { property.scope = undefined; // No scope for overridable properties `[${identifier}]` } else { property.scope = __WEBPACK_IMPORTED_MODULE_3__base_common_types_js__["k" /* isUndefinedOrNull */](property.scope) ? scope : property.scope; } // Add to properties maps // Property is included by default if 'included' is unspecified if (properties[key].hasOwnProperty('included') && !properties[key].included) { this.excludedConfigurationProperties[key] = properties[key]; delete properties[key]; continue; } else { this.configurationProperties[key] = properties[key]; } propertyKeys.push(key); } } var subNodes = configuration.allOf; if (subNodes) { for (var _i = 0, subNodes_1 = subNodes; _i < subNodes_1.length; _i++) { var node = subNodes_1[_i]; propertyKeys.push.apply(propertyKeys, this.validateAndRegisterProperties(node, validate, scope, overridable)); } } return propertyKeys; }; ConfigurationRegistry.prototype.getConfigurationProperties = function () { return this.configurationProperties; }; ConfigurationRegistry.prototype.registerJSONConfiguration = function (configuration) { function register(configuration) { var properties = configuration.properties; if (properties) { for (var key in properties) { allSettings.properties[key] = properties[key]; switch (properties[key].scope) { case 1 /* APPLICATION */: applicationSettings.properties[key] = properties[key]; break; case 2 /* WINDOW */: windowSettings.properties[key] = properties[key]; break; case 3 /* RESOURCE */: resourceSettings.properties[key] = properties[key]; break; } } } var subNodes = configuration.allOf; if (subNodes) { subNodes.forEach(register); } } register(configuration); }; ConfigurationRegistry.prototype.updateSchemaForOverrideSettingsConfiguration = function (configuration) { if (configuration.id !== SETTINGS_OVERRRIDE_NODE_ID) { this.update(configuration); contributionRegistry.registerSchema(editorConfigurationSchemaId, this.editorConfigurationSchema); } }; ConfigurationRegistry.prototype.updateOverridePropertyPatternKey = function () { var patternProperties = allSettings.patternProperties[this.overridePropertyPattern]; if (!patternProperties) { patternProperties = { type: 'object', description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('overrideSettings.defaultDescription', "Configure editor settings to be overridden for a language."), errorMessage: 'Unknown Identifier. Use language identifiers', $ref: editorConfigurationSchemaId }; } delete allSettings.patternProperties[this.overridePropertyPattern]; delete applicationSettings.patternProperties[this.overridePropertyPattern]; delete windowSettings.patternProperties[this.overridePropertyPattern]; delete resourceSettings.patternProperties[this.overridePropertyPattern]; this.computeOverridePropertyPattern(); allSettings.patternProperties[this.overridePropertyPattern] = patternProperties; applicationSettings.patternProperties[this.overridePropertyPattern] = patternProperties; windowSettings.patternProperties[this.overridePropertyPattern] = patternProperties; resourceSettings.patternProperties[this.overridePropertyPattern] = patternProperties; this._onDidSchemaChange.fire(); }; ConfigurationRegistry.prototype.update = function (configuration) { var _this = this; var properties = configuration.properties; if (properties) { for (var key in properties) { if (properties[key].overridable) { this.editorConfigurationSchema.properties[key] = this.getConfigurationProperties()[key]; } } } var subNodes = configuration.allOf; if (subNodes) { subNodes.forEach(function (subNode) { return _this.update(subNode); }); } }; ConfigurationRegistry.prototype.computeOverridePropertyPattern = function () { this.overridePropertyPattern = this.overrideIdentifiers.length ? OVERRIDE_PATTERN_WITH_SUBSTITUTION.replace('${0}', this.overrideIdentifiers.map(function (identifier) { return __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["h" /* createRegExp */](identifier, false).source; }).join('|')) : OVERRIDE_PROPERTY; }; return ConfigurationRegistry; }()); var SETTINGS_OVERRRIDE_NODE_ID = 'override'; var OVERRIDE_PROPERTY = '\\[.*\\]$'; var OVERRIDE_PATTERN_WITH_SUBSTITUTION = '\\[(${0})\\]$'; var OVERRIDE_PROPERTY_PATTERN = new RegExp(OVERRIDE_PROPERTY); function getDefaultValue(type) { var t = Array.isArray(type) ? type[0] : type; switch (t) { case 'boolean': return false; case 'integer': case 'number': return 0; case 'string': return ''; case 'array': return []; case 'object': return {}; default: return null; } } var configurationRegistry = new ConfigurationRegistry(); __WEBPACK_IMPORTED_MODULE_2__registry_common_platform_js__["a" /* Registry */].add(Extensions.Configuration, configurationRegistry); function validateProperty(property) { if (OVERRIDE_PROPERTY_PATTERN.test(property)) { return __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('config.property.languageDefault', "Cannot register '{0}'. This matches property pattern '\\\\[.*\\\\]$' for describing language specific editor settings. Use 'configurationDefaults' contribution.", property); } if (configurationRegistry.getConfigurationProperties()[property] !== undefined) { return __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('config.property.duplicate', "Cannot register '{0}'. This property is already registered.", property); } return null; } /***/ }), /***/ 1396: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Action; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ActionRunner; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var Action = /** @class */ (function () { function Action(id, label, cssClass, enabled, actionCallback) { if (label === void 0) { label = ''; } if (cssClass === void 0) { cssClass = ''; } if (enabled === void 0) { enabled = true; } this._onDidChange = new __WEBPACK_IMPORTED_MODULE_1__event_js__["a" /* Emitter */](); this.onDidChange = this._onDidChange.event; this._id = id; this._label = label; this._cssClass = cssClass; this._enabled = enabled; this._actionCallback = actionCallback; } Object.defineProperty(Action.prototype, "id", { get: function () { return this._id; }, enumerable: true, configurable: true }); Object.defineProperty(Action.prototype, "label", { get: function () { return this._label; }, set: function (value) { this._setLabel(value); }, enumerable: true, configurable: true }); Action.prototype._setLabel = function (value) { if (this._label !== value) { this._label = value; this._onDidChange.fire({ label: value }); } }; Object.defineProperty(Action.prototype, "tooltip", { get: function () { return this._tooltip; }, set: function (value) { this._setTooltip(value); }, enumerable: true, configurable: true }); Action.prototype._setTooltip = function (value) { if (this._tooltip !== value) { this._tooltip = value; this._onDidChange.fire({ tooltip: value }); } }; Object.defineProperty(Action.prototype, "class", { get: function () { return this._cssClass; }, set: function (value) { this._setClass(value); }, enumerable: true, configurable: true }); Action.prototype._setClass = function (value) { if (this._cssClass !== value) { this._cssClass = value; this._onDidChange.fire({ class: value }); } }; Object.defineProperty(Action.prototype, "enabled", { get: function () { return this._enabled; }, set: function (value) { this._setEnabled(value); }, enumerable: true, configurable: true }); Action.prototype._setEnabled = function (value) { if (this._enabled !== value) { this._enabled = value; this._onDidChange.fire({ enabled: value }); } }; Object.defineProperty(Action.prototype, "checked", { get: function () { return this._checked; }, set: function (value) { this._setChecked(value); }, enumerable: true, configurable: true }); Object.defineProperty(Action.prototype, "radio", { get: function () { return this._radio; }, set: function (value) { this._setRadio(value); }, enumerable: true, configurable: true }); Action.prototype._setChecked = function (value) { if (this._checked !== value) { this._checked = value; this._onDidChange.fire({ checked: value }); } }; Action.prototype._setRadio = function (value) { if (this._radio !== value) { this._radio = value; this._onDidChange.fire({ radio: value }); } }; Action.prototype.run = function (event, _data) { if (this._actionCallback) { return this._actionCallback(event); } return Promise.resolve(true); }; Action.prototype.dispose = function () { this._onDidChange.dispose(); }; return Action; }()); var ActionRunner = /** @class */ (function (_super) { __extends(ActionRunner, _super); function ActionRunner() { var _this = _super !== null && _super.apply(this, arguments) || this; _this._onDidBeforeRun = _this._register(new __WEBPACK_IMPORTED_MODULE_1__event_js__["a" /* Emitter */]()); _this.onDidBeforeRun = _this._onDidBeforeRun.event; _this._onDidRun = _this._register(new __WEBPACK_IMPORTED_MODULE_1__event_js__["a" /* Emitter */]()); _this.onDidRun = _this._onDidRun.event; return _this; } ActionRunner.prototype.run = function (action, context) { var _this = this; if (!action.enabled) { return Promise.resolve(null); } this._onDidBeforeRun.fire({ action: action }); return this.runAction(action, context).then(function (result) { _this._onDidRun.fire({ action: action, result: result }); }, function (error) { _this._onDidRun.fire({ action: action, error: error }); }); }; ActionRunner.prototype.runAction = function (action, context) { var res = context ? action.run(context) : action.run(); return Promise.resolve(res); }; return ActionRunner; }(__WEBPACK_IMPORTED_MODULE_0__lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1397: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EventType; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return Gesture; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_decorators_js__ = __webpack_require__(1574); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var EventType; (function (EventType) { EventType.Tap = '-monaco-gesturetap'; EventType.Change = '-monaco-gesturechange'; EventType.Start = '-monaco-gesturestart'; EventType.End = '-monaco-gesturesend'; EventType.Contextmenu = '-monaco-gesturecontextmenu'; })(EventType || (EventType = {})); var Gesture = /** @class */ (function (_super) { __extends(Gesture, _super); function Gesture() { var _this = _super.call(this) || this; _this.activeTouches = {}; _this.handle = null; _this.targets = []; _this._register(__WEBPACK_IMPORTED_MODULE_2__dom_js__["g" /* addDisposableListener */](document, 'touchstart', function (e) { return _this.onTouchStart(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_2__dom_js__["g" /* addDisposableListener */](document, 'touchend', function (e) { return _this.onTouchEnd(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_2__dom_js__["g" /* addDisposableListener */](document, 'touchmove', function (e) { return _this.onTouchMove(e); })); return _this; } Gesture.addTarget = function (element) { if (!Gesture.isTouchDevice()) { return; } if (!Gesture.INSTANCE) { Gesture.INSTANCE = new Gesture(); } Gesture.INSTANCE.targets.push(element); }; Gesture.isTouchDevice = function () { return 'ontouchstart' in window || navigator.maxTouchPoints > 0 || window.navigator.msMaxTouchPoints > 0; }; Gesture.prototype.dispose = function () { if (this.handle) { this.handle.dispose(); this.handle = null; } _super.prototype.dispose.call(this); }; Gesture.prototype.onTouchStart = function (e) { var timestamp = Date.now(); // use Date.now() because on FF e.timeStamp is not epoch based. if (this.handle) { this.handle.dispose(); this.handle = null; } for (var i = 0, len = e.targetTouches.length; i < len; i++) { var touch = e.targetTouches.item(i); this.activeTouches[touch.identifier] = { id: touch.identifier, initialTarget: touch.target, initialTimeStamp: timestamp, initialPageX: touch.pageX, initialPageY: touch.pageY, rollingTimestamps: [timestamp], rollingPageX: [touch.pageX], rollingPageY: [touch.pageY] }; var evt = this.newGestureEvent(EventType.Start, touch.target); evt.pageX = touch.pageX; evt.pageY = touch.pageY; this.dispatchEvent(evt); } if (this.dispatched) { e.preventDefault(); e.stopPropagation(); this.dispatched = false; } }; Gesture.prototype.onTouchEnd = function (e) { var timestamp = Date.now(); // use Date.now() because on FF e.timeStamp is not epoch based. var activeTouchCount = Object.keys(this.activeTouches).length; var _loop_1 = function (i, len) { var touch = e.changedTouches.item(i); if (!this_1.activeTouches.hasOwnProperty(String(touch.identifier))) { console.warn('move of an UNKNOWN touch', touch); return "continue"; } var data = this_1.activeTouches[touch.identifier], holdTime = Date.now() - data.initialTimeStamp; if (holdTime < Gesture.HOLD_DELAY && Math.abs(data.initialPageX - __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageX)) < 30 && Math.abs(data.initialPageY - __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageY)) < 30) { var evt = this_1.newGestureEvent(EventType.Tap, data.initialTarget); evt.pageX = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageX); evt.pageY = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageY); this_1.dispatchEvent(evt); } else if (holdTime >= Gesture.HOLD_DELAY && Math.abs(data.initialPageX - __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageX)) < 30 && Math.abs(data.initialPageY - __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageY)) < 30) { var evt = this_1.newGestureEvent(EventType.Contextmenu, data.initialTarget); evt.pageX = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageX); evt.pageY = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageY); this_1.dispatchEvent(evt); } else if (activeTouchCount === 1) { var finalX = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageX); var finalY = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageY); var deltaT = __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingTimestamps) - data.rollingTimestamps[0]; var deltaX = finalX - data.rollingPageX[0]; var deltaY = finalY - data.rollingPageY[0]; // We need to get all the dispatch targets on the start of the inertia event var dispatchTo = this_1.targets.filter(function (t) { return data.initialTarget instanceof Node && t.contains(data.initialTarget); }); this_1.inertia(dispatchTo, timestamp, // time now Math.abs(deltaX) / deltaT, // speed deltaX > 0 ? 1 : -1, // x direction finalX, // x now Math.abs(deltaY) / deltaT, // y speed deltaY > 0 ? 1 : -1, // y direction finalY // y now ); } this_1.dispatchEvent(this_1.newGestureEvent(EventType.End, data.initialTarget)); // forget about this touch delete this_1.activeTouches[touch.identifier]; }; var this_1 = this; for (var i = 0, len = e.changedTouches.length; i < len; i++) { _loop_1(i, len); } if (this.dispatched) { e.preventDefault(); e.stopPropagation(); this.dispatched = false; } }; Gesture.prototype.newGestureEvent = function (type, intialTarget) { var event = document.createEvent('CustomEvent'); event.initEvent(type, false, true); event.initialTarget = intialTarget; return event; }; Gesture.prototype.dispatchEvent = function (event) { var _this = this; this.targets.forEach(function (target) { if (event.initialTarget instanceof Node && target.contains(event.initialTarget)) { target.dispatchEvent(event); _this.dispatched = true; } }); }; Gesture.prototype.inertia = function (dispatchTo, t1, vX, dirX, x, vY, dirY, y) { var _this = this; this.handle = __WEBPACK_IMPORTED_MODULE_2__dom_js__["K" /* scheduleAtNextAnimationFrame */](function () { var now = Date.now(); // velocity: old speed + accel_over_time var deltaT = now - t1, delta_pos_x = 0, delta_pos_y = 0, stopped = true; vX += Gesture.SCROLL_FRICTION * deltaT; vY += Gesture.SCROLL_FRICTION * deltaT; if (vX > 0) { stopped = false; delta_pos_x = dirX * vX * deltaT; } if (vY > 0) { stopped = false; delta_pos_y = dirY * vY * deltaT; } // dispatch translation event var evt = _this.newGestureEvent(EventType.Change); evt.translationX = delta_pos_x; evt.translationY = delta_pos_y; dispatchTo.forEach(function (d) { return d.dispatchEvent(evt); }); if (!stopped) { _this.inertia(dispatchTo, now, vX, dirX, x + delta_pos_x, vY, dirY, y + delta_pos_y); } }); }; Gesture.prototype.onTouchMove = function (e) { var timestamp = Date.now(); // use Date.now() because on FF e.timeStamp is not epoch based. for (var i = 0, len = e.changedTouches.length; i < len; i++) { var touch = e.changedTouches.item(i); if (!this.activeTouches.hasOwnProperty(String(touch.identifier))) { console.warn('end of an UNKNOWN touch', touch); continue; } var data = this.activeTouches[touch.identifier]; var evt = this.newGestureEvent(EventType.Change, data.initialTarget); evt.translationX = touch.pageX - __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageX); evt.translationY = touch.pageY - __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["j" /* tail */](data.rollingPageY); evt.pageX = touch.pageX; evt.pageY = touch.pageY; this.dispatchEvent(evt); // only keep a few data points, to average the final speed if (data.rollingPageX.length > 3) { data.rollingPageX.shift(); data.rollingPageY.shift(); data.rollingTimestamps.shift(); } data.rollingPageX.push(touch.pageX); data.rollingPageY.push(touch.pageY); data.rollingTimestamps.push(timestamp); } if (this.dispatched) { e.preventDefault(); e.stopPropagation(); this.dispatched = false; } }; Gesture.SCROLL_FRICTION = -0.005; Gesture.HOLD_DELAY = 700; __decorate([ __WEBPACK_IMPORTED_MODULE_3__common_decorators_js__["a" /* memoize */] ], Gesture, "isTouchDevice", null); return Gesture; }(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1398: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewEventHandler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewEventHandler = /** @class */ (function (_super) { __extends(ViewEventHandler, _super); function ViewEventHandler() { var _this = _super.call(this) || this; _this._shouldRender = true; return _this; } ViewEventHandler.prototype.shouldRender = function () { return this._shouldRender; }; ViewEventHandler.prototype.forceShouldRender = function () { this._shouldRender = true; }; ViewEventHandler.prototype.setShouldRender = function () { this._shouldRender = true; }; ViewEventHandler.prototype.onDidRender = function () { this._shouldRender = false; }; // --- begin event handlers ViewEventHandler.prototype.onConfigurationChanged = function (e) { return false; }; ViewEventHandler.prototype.onCursorStateChanged = function (e) { return false; }; ViewEventHandler.prototype.onDecorationsChanged = function (e) { return false; }; ViewEventHandler.prototype.onFlushed = function (e) { return false; }; ViewEventHandler.prototype.onFocusChanged = function (e) { return false; }; ViewEventHandler.prototype.onLanguageConfigurationChanged = function (e) { return false; }; ViewEventHandler.prototype.onLineMappingChanged = function (e) { return false; }; ViewEventHandler.prototype.onLinesChanged = function (e) { return false; }; ViewEventHandler.prototype.onLinesDeleted = function (e) { return false; }; ViewEventHandler.prototype.onLinesInserted = function (e) { return false; }; ViewEventHandler.prototype.onRevealRangeRequest = function (e) { return false; }; ViewEventHandler.prototype.onScrollChanged = function (e) { return false; }; ViewEventHandler.prototype.onTokensChanged = function (e) { return false; }; ViewEventHandler.prototype.onTokensColorsChanged = function (e) { return false; }; ViewEventHandler.prototype.onZonesChanged = function (e) { return false; }; ViewEventHandler.prototype.onThemeChanged = function (e) { return false; }; // --- end event handlers ViewEventHandler.prototype.handleEvents = function (events) { var shouldRender = false; for (var i = 0, len = events.length; i < len; i++) { var e = events[i]; switch (e.type) { case 1 /* ViewConfigurationChanged */: if (this.onConfigurationChanged(e)) { shouldRender = true; } break; case 2 /* ViewCursorStateChanged */: if (this.onCursorStateChanged(e)) { shouldRender = true; } break; case 3 /* ViewDecorationsChanged */: if (this.onDecorationsChanged(e)) { shouldRender = true; } break; case 4 /* ViewFlushed */: if (this.onFlushed(e)) { shouldRender = true; } break; case 5 /* ViewFocusChanged */: if (this.onFocusChanged(e)) { shouldRender = true; } break; case 16 /* ViewLanguageConfigurationChanged */: if (this.onLanguageConfigurationChanged(e)) { shouldRender = true; } break; case 6 /* ViewLineMappingChanged */: if (this.onLineMappingChanged(e)) { shouldRender = true; } break; case 7 /* ViewLinesChanged */: if (this.onLinesChanged(e)) { shouldRender = true; } break; case 8 /* ViewLinesDeleted */: if (this.onLinesDeleted(e)) { shouldRender = true; } break; case 9 /* ViewLinesInserted */: if (this.onLinesInserted(e)) { shouldRender = true; } break; case 10 /* ViewRevealRangeRequest */: if (this.onRevealRangeRequest(e)) { shouldRender = true; } break; case 11 /* ViewScrollChanged */: if (this.onScrollChanged(e)) { shouldRender = true; } break; case 12 /* ViewTokensChanged */: if (this.onTokensChanged(e)) { shouldRender = true; } break; case 13 /* ViewTokensColorsChanged */: if (this.onTokensColorsChanged(e)) { shouldRender = true; } break; case 14 /* ViewZonesChanged */: if (this.onZonesChanged(e)) { shouldRender = true; } break; case 15 /* ViewThemeChanged */: if (this.onThemeChanged(e)) { shouldRender = true; } break; default: console.info('View received unknown event: '); console.info(e); } } if (shouldRender) { this._shouldRender = true; } }; return ViewEventHandler; }(__WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1399: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export RestrictedRenderingContext */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return RenderingContext; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return LineVisibleRanges; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return HorizontalRange; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var RestrictedRenderingContext = /** @class */ (function () { function RestrictedRenderingContext(viewLayout, viewportData) { this._viewLayout = viewLayout; this.viewportData = viewportData; this.scrollWidth = this._viewLayout.getScrollWidth(); this.scrollHeight = this._viewLayout.getScrollHeight(); this.visibleRange = this.viewportData.visibleRange; this.bigNumbersDelta = this.viewportData.bigNumbersDelta; var vInfo = this._viewLayout.getCurrentViewport(); this.scrollTop = vInfo.top; this.scrollLeft = vInfo.left; this.viewportWidth = vInfo.width; this.viewportHeight = vInfo.height; } RestrictedRenderingContext.prototype.getScrolledTopFromAbsoluteTop = function (absoluteTop) { return absoluteTop - this.scrollTop; }; RestrictedRenderingContext.prototype.getVerticalOffsetForLineNumber = function (lineNumber) { return this._viewLayout.getVerticalOffsetForLineNumber(lineNumber); }; RestrictedRenderingContext.prototype.getDecorationsInViewport = function () { return this.viewportData.getDecorationsInViewport(); }; return RestrictedRenderingContext; }()); var RenderingContext = /** @class */ (function (_super) { __extends(RenderingContext, _super); function RenderingContext(viewLayout, viewportData, viewLines) { var _this = _super.call(this, viewLayout, viewportData) || this; _this._viewLines = viewLines; return _this; } RenderingContext.prototype.linesVisibleRangesForRange = function (range, includeNewLines) { return this._viewLines.linesVisibleRangesForRange(range, includeNewLines); }; RenderingContext.prototype.visibleRangeForPosition = function (position) { return this._viewLines.visibleRangeForPosition(position); }; return RenderingContext; }(RestrictedRenderingContext)); var LineVisibleRanges = /** @class */ (function () { function LineVisibleRanges(lineNumber, ranges) { this.lineNumber = lineNumber; this.ranges = ranges; } return LineVisibleRanges; }()); var HorizontalRange = /** @class */ (function () { function HorizontalRange(left, width) { this.left = Math.round(left); this.width = Math.round(width); } HorizontalRange.prototype.toString = function () { return "[" + this.left + "," + this.width + "]"; }; return HorizontalRange; }()); /***/ }), /***/ 1400: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IKeybindingService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IKeybindingService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('keybindingService'); /***/ }), /***/ 1411: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1609); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1440: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return USUAL_WORD_SEPARATORS; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DEFAULT_WORD_REGEXP; }); /* harmony export (immutable) */ __webpack_exports__["c"] = ensureValidWordDefinition; /* harmony export (immutable) */ __webpack_exports__["d"] = getWordAtText; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var USUAL_WORD_SEPARATORS = '`~!@#$%^&*()-=+[{]}\\|;:\'",.<>/?'; /** * Create a word definition regular expression based on default word separators. * Optionally provide allowed separators that should be included in words. * * The default would look like this: * /(-?\d*\.\d\w*)|([^\`\~\!\@\#\$\%\^\&\*\(\)\-\=\+\[\{\]\}\\\|\;\:\'\"\,\.\<\>\/\?\s]+)/g */ function createWordRegExp(allowInWords) { if (allowInWords === void 0) { allowInWords = ''; } var source = '(-?\\d*\\.\\d\\w*)|([^'; for (var _i = 0, USUAL_WORD_SEPARATORS_1 = USUAL_WORD_SEPARATORS; _i < USUAL_WORD_SEPARATORS_1.length; _i++) { var sep = USUAL_WORD_SEPARATORS_1[_i]; if (allowInWords.indexOf(sep) >= 0) { continue; } source += '\\' + sep; } source += '\\s]+)'; return new RegExp(source, 'g'); } // catches numbers (including floating numbers) in the first group, and alphanum in the second var DEFAULT_WORD_REGEXP = createWordRegExp(); function ensureValidWordDefinition(wordDefinition) { var result = DEFAULT_WORD_REGEXP; if (wordDefinition && (wordDefinition instanceof RegExp)) { if (!wordDefinition.global) { var flags = 'g'; if (wordDefinition.ignoreCase) { flags += 'i'; } if (wordDefinition.multiline) { flags += 'm'; } if (wordDefinition.unicode) { flags += 'u'; } result = new RegExp(wordDefinition.source, flags); } else { result = wordDefinition; } } result.lastIndex = 0; return result; } function getWordAtPosFast(column, wordDefinition, text, textOffset) { // find whitespace enclosed text around column and match from there var pos = column - 1 - textOffset; var start = text.lastIndexOf(' ', pos - 1) + 1; wordDefinition.lastIndex = start; var match; while (match = wordDefinition.exec(text)) { var matchIndex = match.index || 0; if (matchIndex <= pos && wordDefinition.lastIndex >= pos) { return { word: match[0], startColumn: textOffset + 1 + matchIndex, endColumn: textOffset + 1 + wordDefinition.lastIndex }; } } return null; } function getWordAtPosSlow(column, wordDefinition, text, textOffset) { // matches all words starting at the beginning // of the input until it finds a match that encloses // the desired column. slow but correct var pos = column - 1 - textOffset; wordDefinition.lastIndex = 0; var match; while (match = wordDefinition.exec(text)) { var matchIndex = match.index || 0; if (matchIndex > pos) { // |nW -> matched only after the pos return null; } else if (wordDefinition.lastIndex >= pos) { // W|W -> match encloses pos return { word: match[0], startColumn: textOffset + 1 + matchIndex, endColumn: textOffset + 1 + wordDefinition.lastIndex }; } } return null; } function getWordAtText(column, wordDefinition, text, textOffset) { // if `words` can contain whitespace character we have to use the slow variant // otherwise we use the fast variant of finding a word wordDefinition.lastIndex = 0; var match = wordDefinition.exec(text); if (!match) { return null; } // todo@joh the `match` could already be the (first) word var ret = match[0].indexOf(' ') >= 0 // did match a word which contains a space character -> use slow word find ? getWordAtPosSlow(column, wordDefinition, text, textOffset) // sane word definition -> use fast word find : getWordAtPosFast(column, wordDefinition, text, textOffset); // both (getWordAtPosFast and getWordAtPosSlow) leave the wordDefinition-RegExp // in an undefined state and to not confuse other users of the wordDefinition // we reset the lastIndex wordDefinition.lastIndex = 0; return ret; } /***/ }), /***/ 1441: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Token; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return TokenizationResult; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return TokenizationResult2; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Token = /** @class */ (function () { function Token(offset, type, language) { this.offset = offset | 0; // @perf this.type = type; this.language = language; } Token.prototype.toString = function () { return '(' + this.offset + ', ' + this.type + ')'; }; return Token; }()); var TokenizationResult = /** @class */ (function () { function TokenizationResult(tokens, endState) { this.tokens = tokens; this.endState = endState; } return TokenizationResult; }()); var TokenizationResult2 = /** @class */ (function () { function TokenizationResult2(tokens, endState) { this.tokens = tokens; this.endState = endState; } return TokenizationResult2; }()); /***/ }), /***/ 1442: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* WEBPACK VAR INJECTION */(function(process) {/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "win32", function() { return win32; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "posix", function() { return posix; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "normalize", function() { return normalize; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "join", function() { return join; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "relative", function() { return relative; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "dirname", function() { return dirname; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "basename", function() { return basename; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "extname", function() { return extname; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "sep", function() { return sep; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); // NOTE: VSCode's copy of nodejs path library to be usable in common (non-node) namespace // Copied from: https://github.com/nodejs/node/tree/43dd49c9782848c25e5b03448c8a0f923f13c158 /** * Copyright Joyent, Inc. and other Node contributors. * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the * "Software"), to deal in the Software without restriction, including * without limitation the rights to use, copy, modify, merge, publish, * distribute, sublicense, and/or sell copies of the Software, and to permit * persons to whom the Software is furnished to do so, subject to the * following conditions: * * The above copyright notice and this permission notice shall be included * in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS * OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN * NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, * DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR * OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE * USE OR OTHER DEALINGS IN THE SOFTWARE. */ var CHAR_UPPERCASE_A = 65; /* A */ var CHAR_LOWERCASE_A = 97; /* a */ var CHAR_UPPERCASE_Z = 90; /* Z */ var CHAR_LOWERCASE_Z = 122; /* z */ var CHAR_DOT = 46; /* . */ var CHAR_FORWARD_SLASH = 47; /* / */ var CHAR_BACKWARD_SLASH = 92; /* \ */ var CHAR_COLON = 58; /* : */ var CHAR_QUESTION_MARK = 63; /* ? */ var safeProcess = (typeof process === 'undefined') ? { cwd: function () { return '/'; }, env: {}, get platform() { return __WEBPACK_IMPORTED_MODULE_0__platform_js__["g" /* isWindows */] ? 'win32' : 'posix'; } } : process; var ErrorInvalidArgType = /** @class */ (function (_super) { __extends(ErrorInvalidArgType, _super); function ErrorInvalidArgType(name, expected, actual) { var _this = this; // determiner: 'must be' or 'must not be' var determiner; if (typeof expected === 'string' && expected.indexOf('not ') === 0) { determiner = 'must not be'; expected = expected.replace(/^not /, ''); } else { determiner = 'must be'; } var msg; var type = name.indexOf('.') !== -1 ? 'property' : 'argument'; msg = "The \"" + name + "\" " + type + " " + determiner + " of type " + expected; msg += ". Received type " + typeof actual; _this = _super.call(this, msg) || this; return _this; } return ErrorInvalidArgType; }(Error)); function validateString(value, name) { if (typeof value !== 'string') { throw new ErrorInvalidArgType(name, 'string', value); } } function isPathSeparator(code) { return code === CHAR_FORWARD_SLASH || code === CHAR_BACKWARD_SLASH; } function isPosixPathSeparator(code) { return code === CHAR_FORWARD_SLASH; } function isWindowsDeviceRoot(code) { return code >= CHAR_UPPERCASE_A && code <= CHAR_UPPERCASE_Z || code >= CHAR_LOWERCASE_A && code <= CHAR_LOWERCASE_Z; } // Resolves . and .. elements in a path with directory names function normalizeString(path, allowAboveRoot, separator, isPathSeparator) { var res = ''; var lastSegmentLength = 0; var lastSlash = -1; var dots = 0; var code; for (var i = 0; i <= path.length; ++i) { if (i < path.length) { code = path.charCodeAt(i); } else if (isPathSeparator(code)) { break; } else { code = CHAR_FORWARD_SLASH; } if (isPathSeparator(code)) { if (lastSlash === i - 1 || dots === 1) { // NOOP } else if (lastSlash !== i - 1 && dots === 2) { if (res.length < 2 || lastSegmentLength !== 2 || res.charCodeAt(res.length - 1) !== CHAR_DOT || res.charCodeAt(res.length - 2) !== CHAR_DOT) { if (res.length > 2) { var lastSlashIndex = res.lastIndexOf(separator); if (lastSlashIndex === -1) { res = ''; lastSegmentLength = 0; } else { res = res.slice(0, lastSlashIndex); lastSegmentLength = res.length - 1 - res.lastIndexOf(separator); } lastSlash = i; dots = 0; continue; } else if (res.length === 2 || res.length === 1) { res = ''; lastSegmentLength = 0; lastSlash = i; dots = 0; continue; } } if (allowAboveRoot) { if (res.length > 0) { res += separator + ".."; } else { res = '..'; } lastSegmentLength = 2; } } else { if (res.length > 0) { res += separator + path.slice(lastSlash + 1, i); } else { res = path.slice(lastSlash + 1, i); } lastSegmentLength = i - lastSlash - 1; } lastSlash = i; dots = 0; } else if (code === CHAR_DOT && dots !== -1) { ++dots; } else { dots = -1; } } return res; } function _format(sep, pathObject) { var dir = pathObject.dir || pathObject.root; var base = pathObject.base || ((pathObject.name || '') + (pathObject.ext || '')); if (!dir) { return base; } if (dir === pathObject.root) { return dir + base; } return dir + sep + base; } var win32 = { // path.resolve([from ...], to) resolve: function () { var pathSegments = []; for (var _i = 0; _i < arguments.length; _i++) { pathSegments[_i] = arguments[_i]; } var resolvedDevice = ''; var resolvedTail = ''; var resolvedAbsolute = false; for (var i = pathSegments.length - 1; i >= -1; i--) { var path = void 0; if (i >= 0) { path = pathSegments[i]; } else if (!resolvedDevice) { path = safeProcess.cwd(); } else { // Windows has the concept of drive-specific current working // directories. If we've resolved a drive letter but not yet an // absolute path, get cwd for that drive, or the process cwd if // the drive cwd is not available. We're sure the device is not // a UNC path at this points, because UNC paths are always absolute. path = safeProcess.env['=' + resolvedDevice] || safeProcess.cwd(); // Verify that a cwd was found and that it actually points // to our drive. If not, default to the drive's root. if (path === undefined || path.slice(0, 3).toLowerCase() !== resolvedDevice.toLowerCase() + '\\') { path = resolvedDevice + '\\'; } } validateString(path, 'path'); // Skip empty entries if (path.length === 0) { continue; } var len = path.length; var rootEnd = 0; var device = ''; var isAbsolute = false; var code = path.charCodeAt(0); // Try to match a root if (len > 1) { if (isPathSeparator(code)) { // Possible UNC root // If we started with a separator, we know we at least have an // absolute path of some kind (UNC or otherwise) isAbsolute = true; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning var j = 2; var last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { var firstPart = path.slice(last, j); // Matched! last = j; // Match 1 or more path separators for (; j < len; ++j) { if (!isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j === len) { // We matched a UNC root only device = '\\\\' + firstPart + '\\' + path.slice(last); rootEnd = j; } else if (j !== last) { // We matched a UNC root with leftovers device = '\\\\' + firstPart + '\\' + path.slice(last, j); rootEnd = j; } } } } else { rootEnd = 1; } } else if (isWindowsDeviceRoot(code)) { // Possible device root if (path.charCodeAt(1) === CHAR_COLON) { device = path.slice(0, 2); rootEnd = 2; if (len > 2) { if (isPathSeparator(path.charCodeAt(2))) { // Treat separator following drive name as an absolute path // indicator isAbsolute = true; rootEnd = 3; } } } } } else if (isPathSeparator(code)) { // `path` contains just a path separator rootEnd = 1; isAbsolute = true; } if (device.length > 0 && resolvedDevice.length > 0 && device.toLowerCase() !== resolvedDevice.toLowerCase()) { // This path points to another device so it is not applicable continue; } if (resolvedDevice.length === 0 && device.length > 0) { resolvedDevice = device; } if (!resolvedAbsolute) { resolvedTail = path.slice(rootEnd) + '\\' + resolvedTail; resolvedAbsolute = isAbsolute; } if (resolvedDevice.length > 0 && resolvedAbsolute) { break; } } // At this point the path should be resolved to a full absolute path, // but handle relative paths to be safe (might happen when process.cwd() // fails) // Normalize the tail path resolvedTail = normalizeString(resolvedTail, !resolvedAbsolute, '\\', isPathSeparator); return (resolvedDevice + (resolvedAbsolute ? '\\' : '') + resolvedTail) || '.'; }, normalize: function (path) { validateString(path, 'path'); var len = path.length; if (len === 0) { return '.'; } var rootEnd = 0; var device; var isAbsolute = false; var code = path.charCodeAt(0); // Try to match a root if (len > 1) { if (isPathSeparator(code)) { // Possible UNC root // If we started with a separator, we know we at least have an absolute // path of some kind (UNC or otherwise) isAbsolute = true; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning var j = 2; var last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { var firstPart = path.slice(last, j); // Matched! last = j; // Match 1 or more path separators for (; j < len; ++j) { if (!isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j === len) { // We matched a UNC root only // Return the normalized version of the UNC root since there // is nothing left to process return '\\\\' + firstPart + '\\' + path.slice(last) + '\\'; } else if (j !== last) { // We matched a UNC root with leftovers device = '\\\\' + firstPart + '\\' + path.slice(last, j); rootEnd = j; } } } } else { rootEnd = 1; } } else if (isWindowsDeviceRoot(code)) { // Possible device root if (path.charCodeAt(1) === CHAR_COLON) { device = path.slice(0, 2); rootEnd = 2; if (len > 2) { if (isPathSeparator(path.charCodeAt(2))) { // Treat separator following drive name as an absolute path // indicator isAbsolute = true; rootEnd = 3; } } } } } else if (isPathSeparator(code)) { // `path` contains just a path separator, exit early to avoid unnecessary // work return '\\'; } var tail; if (rootEnd < len) { tail = normalizeString(path.slice(rootEnd), !isAbsolute, '\\', isPathSeparator); } else { tail = ''; } if (tail.length === 0 && !isAbsolute) { tail = '.'; } if (tail.length > 0 && isPathSeparator(path.charCodeAt(len - 1))) { tail += '\\'; } if (device === undefined) { if (isAbsolute) { if (tail.length > 0) { return '\\' + tail; } else { return '\\'; } } else if (tail.length > 0) { return tail; } else { return ''; } } else if (isAbsolute) { if (tail.length > 0) { return device + '\\' + tail; } else { return device + '\\'; } } else if (tail.length > 0) { return device + tail; } else { return device; } }, isAbsolute: function (path) { validateString(path, 'path'); var len = path.length; if (len === 0) { return false; } var code = path.charCodeAt(0); if (isPathSeparator(code)) { return true; } else if (isWindowsDeviceRoot(code)) { // Possible device root if (len > 2 && path.charCodeAt(1) === CHAR_COLON) { if (isPathSeparator(path.charCodeAt(2))) { return true; } } } return false; }, join: function () { var paths = []; for (var _i = 0; _i < arguments.length; _i++) { paths[_i] = arguments[_i]; } if (paths.length === 0) { return '.'; } var joined; var firstPart; for (var i = 0; i < paths.length; ++i) { var arg = paths[i]; validateString(arg, 'path'); if (arg.length > 0) { if (joined === undefined) { joined = firstPart = arg; } else { joined += '\\' + arg; } } } if (joined === undefined) { return '.'; } // Make sure that the joined path doesn't start with two slashes, because // normalize() will mistake it for an UNC path then. // // This step is skipped when it is very clear that the user actually // intended to point at an UNC path. This is assumed when the first // non-empty string arguments starts with exactly two slashes followed by // at least one more non-slash character. // // Note that for normalize() to treat a path as an UNC path it needs to // have at least 2 components, so we don't filter for that here. // This means that the user can use join to construct UNC paths from // a server name and a share name; for example: // path.join('//server', 'share') -> '\\\\server\\share\\') var needsReplace = true; var slashCount = 0; if (isPathSeparator(firstPart.charCodeAt(0))) { ++slashCount; var firstLen = firstPart.length; if (firstLen > 1) { if (isPathSeparator(firstPart.charCodeAt(1))) { ++slashCount; if (firstLen > 2) { if (isPathSeparator(firstPart.charCodeAt(2))) { ++slashCount; } else { // We matched a UNC path in the first part needsReplace = false; } } } } } if (needsReplace) { // Find any more consecutive slashes we need to replace for (; slashCount < joined.length; ++slashCount) { if (!isPathSeparator(joined.charCodeAt(slashCount))) { break; } } // Replace the slashes if needed if (slashCount >= 2) { joined = '\\' + joined.slice(slashCount); } } return win32.normalize(joined); }, // It will solve the relative path from `from` to `to`, for instance: // from = 'C:\\orandea\\test\\aaa' // to = 'C:\\orandea\\impl\\bbb' // The output of the function should be: '..\\..\\impl\\bbb' relative: function (from, to) { validateString(from, 'from'); validateString(to, 'to'); if (from === to) { return ''; } var fromOrig = win32.resolve(from); var toOrig = win32.resolve(to); if (fromOrig === toOrig) { return ''; } from = fromOrig.toLowerCase(); to = toOrig.toLowerCase(); if (from === to) { return ''; } // Trim any leading backslashes var fromStart = 0; for (; fromStart < from.length; ++fromStart) { if (from.charCodeAt(fromStart) !== CHAR_BACKWARD_SLASH) { break; } } // Trim trailing backslashes (applicable to UNC paths only) var fromEnd = from.length; for (; fromEnd - 1 > fromStart; --fromEnd) { if (from.charCodeAt(fromEnd - 1) !== CHAR_BACKWARD_SLASH) { break; } } var fromLen = (fromEnd - fromStart); // Trim any leading backslashes var toStart = 0; for (; toStart < to.length; ++toStart) { if (to.charCodeAt(toStart) !== CHAR_BACKWARD_SLASH) { break; } } // Trim trailing backslashes (applicable to UNC paths only) var toEnd = to.length; for (; toEnd - 1 > toStart; --toEnd) { if (to.charCodeAt(toEnd - 1) !== CHAR_BACKWARD_SLASH) { break; } } var toLen = (toEnd - toStart); // Compare paths to find the longest common path from root var length = (fromLen < toLen ? fromLen : toLen); var lastCommonSep = -1; var i = 0; for (; i <= length; ++i) { if (i === length) { if (toLen > length) { if (to.charCodeAt(toStart + i) === CHAR_BACKWARD_SLASH) { // We get here if `from` is the exact base path for `to`. // For example: from='C:\\foo\\bar'; to='C:\\foo\\bar\\baz' return toOrig.slice(toStart + i + 1); } else if (i === 2) { // We get here if `from` is the device root. // For example: from='C:\\'; to='C:\\foo' return toOrig.slice(toStart + i); } } if (fromLen > length) { if (from.charCodeAt(fromStart + i) === CHAR_BACKWARD_SLASH) { // We get here if `to` is the exact base path for `from`. // For example: from='C:\\foo\\bar'; to='C:\\foo' lastCommonSep = i; } else if (i === 2) { // We get here if `to` is the device root. // For example: from='C:\\foo\\bar'; to='C:\\' lastCommonSep = 3; } } break; } var fromCode = from.charCodeAt(fromStart + i); var toCode = to.charCodeAt(toStart + i); if (fromCode !== toCode) { break; } else if (fromCode === CHAR_BACKWARD_SLASH) { lastCommonSep = i; } } // We found a mismatch before the first common path separator was seen, so // return the original `to`. if (i !== length && lastCommonSep === -1) { return toOrig; } var out = ''; if (lastCommonSep === -1) { lastCommonSep = 0; } // Generate the relative path based on the path difference between `to` and // `from` for (i = fromStart + lastCommonSep + 1; i <= fromEnd; ++i) { if (i === fromEnd || from.charCodeAt(i) === CHAR_BACKWARD_SLASH) { if (out.length === 0) { out += '..'; } else { out += '\\..'; } } } // Lastly, append the rest of the destination (`to`) path that comes after // the common path parts if (out.length > 0) { return out + toOrig.slice(toStart + lastCommonSep, toEnd); } else { toStart += lastCommonSep; if (toOrig.charCodeAt(toStart) === CHAR_BACKWARD_SLASH) { ++toStart; } return toOrig.slice(toStart, toEnd); } }, toNamespacedPath: function (path) { // Note: this will *probably* throw somewhere. if (typeof path !== 'string') { return path; } if (path.length === 0) { return ''; } var resolvedPath = win32.resolve(path); if (resolvedPath.length >= 3) { if (resolvedPath.charCodeAt(0) === CHAR_BACKWARD_SLASH) { // Possible UNC root if (resolvedPath.charCodeAt(1) === CHAR_BACKWARD_SLASH) { var code = resolvedPath.charCodeAt(2); if (code !== CHAR_QUESTION_MARK && code !== CHAR_DOT) { // Matched non-long UNC root, convert the path to a long UNC path return '\\\\?\\UNC\\' + resolvedPath.slice(2); } } } else if (isWindowsDeviceRoot(resolvedPath.charCodeAt(0))) { // Possible device root if (resolvedPath.charCodeAt(1) === CHAR_COLON && resolvedPath.charCodeAt(2) === CHAR_BACKWARD_SLASH) { // Matched device root, convert the path to a long UNC path return '\\\\?\\' + resolvedPath; } } } return path; }, dirname: function (path) { validateString(path, 'path'); var len = path.length; if (len === 0) { return '.'; } var rootEnd = -1; var end = -1; var matchedSlash = true; var offset = 0; var code = path.charCodeAt(0); // Try to match a root if (len > 1) { if (isPathSeparator(code)) { // Possible UNC root rootEnd = offset = 1; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning var j = 2; var last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more path separators for (; j < len; ++j) { if (!isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j === len) { // We matched a UNC root only return path; } if (j !== last) { // We matched a UNC root with leftovers // Offset by 1 to include the separator after the UNC root to // treat it as a "normal root" on top of a (UNC) root rootEnd = offset = j + 1; } } } } } else if (isWindowsDeviceRoot(code)) { // Possible device root if (path.charCodeAt(1) === CHAR_COLON) { rootEnd = offset = 2; if (len > 2) { if (isPathSeparator(path.charCodeAt(2))) { rootEnd = offset = 3; } } } } } else if (isPathSeparator(code)) { // `path` contains just a path separator, exit early to avoid // unnecessary work return path; } for (var i = len - 1; i >= offset; --i) { if (isPathSeparator(path.charCodeAt(i))) { if (!matchedSlash) { end = i; break; } } else { // We saw the first non-path separator matchedSlash = false; } } if (end === -1) { if (rootEnd === -1) { return '.'; } else { end = rootEnd; } } return path.slice(0, end); }, basename: function (path, ext) { if (ext !== undefined) { validateString(ext, 'ext'); } validateString(path, 'path'); var start = 0; var end = -1; var matchedSlash = true; var i; // Check for a drive letter prefix so as not to mistake the following // path separator as an extra separator at the end of the path that can be // disregarded if (path.length >= 2) { var drive = path.charCodeAt(0); if (isWindowsDeviceRoot(drive)) { if (path.charCodeAt(1) === CHAR_COLON) { start = 2; } } } if (ext !== undefined && ext.length > 0 && ext.length <= path.length) { if (ext.length === path.length && ext === path) { return ''; } var extIdx = ext.length - 1; var firstNonSlashEnd = -1; for (i = path.length - 1; i >= start; --i) { var code = path.charCodeAt(i); if (isPathSeparator(code)) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else { if (firstNonSlashEnd === -1) { // We saw the first non-path separator, remember this index in case // we need it if the extension ends up not matching matchedSlash = false; firstNonSlashEnd = i + 1; } if (extIdx >= 0) { // Try to match the explicit extension if (code === ext.charCodeAt(extIdx)) { if (--extIdx === -1) { // We matched the extension, so mark this as the end of our path // component end = i; } } else { // Extension does not match, so our result is the entire path // component extIdx = -1; end = firstNonSlashEnd; } } } } if (start === end) { end = firstNonSlashEnd; } else if (end === -1) { end = path.length; } return path.slice(start, end); } else { for (i = path.length - 1; i >= start; --i) { if (isPathSeparator(path.charCodeAt(i))) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else if (end === -1) { // We saw the first non-path separator, mark this as the end of our // path component matchedSlash = false; end = i + 1; } } if (end === -1) { return ''; } return path.slice(start, end); } }, extname: function (path) { validateString(path, 'path'); var start = 0; var startDot = -1; var startPart = 0; var end = -1; var matchedSlash = true; // Track the state of characters (if any) we see before our first dot and // after any path separator we find var preDotState = 0; // Check for a drive letter prefix so as not to mistake the following // path separator as an extra separator at the end of the path that can be // disregarded if (path.length >= 2 && path.charCodeAt(1) === CHAR_COLON && isWindowsDeviceRoot(path.charCodeAt(0))) { start = startPart = 2; } for (var i = path.length - 1; i >= start; --i) { var code = path.charCodeAt(i); if (isPathSeparator(code)) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly '..' (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { return ''; } return path.slice(startDot, end); }, format: function (pathObject) { if (pathObject === null || typeof pathObject !== 'object') { throw new ErrorInvalidArgType('pathObject', 'Object', pathObject); } return _format('\\', pathObject); }, parse: function (path) { validateString(path, 'path'); var ret = { root: '', dir: '', base: '', ext: '', name: '' }; if (path.length === 0) { return ret; } var len = path.length; var rootEnd = 0; var code = path.charCodeAt(0); // Try to match a root if (len > 1) { if (isPathSeparator(code)) { // Possible UNC root rootEnd = 1; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning var j = 2; var last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more path separators for (; j < len; ++j) { if (!isPathSeparator(path.charCodeAt(j))) { break; } } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators for (; j < len; ++j) { if (isPathSeparator(path.charCodeAt(j))) { break; } } if (j === len) { // We matched a UNC root only rootEnd = j; } else if (j !== last) { // We matched a UNC root with leftovers rootEnd = j + 1; } } } } } else if (isWindowsDeviceRoot(code)) { // Possible device root if (path.charCodeAt(1) === CHAR_COLON) { rootEnd = 2; if (len > 2) { if (isPathSeparator(path.charCodeAt(2))) { if (len === 3) { // `path` contains just a drive root, exit early to avoid // unnecessary work ret.root = ret.dir = path; return ret; } rootEnd = 3; } } else { // `path` contains just a drive root, exit early to avoid // unnecessary work ret.root = ret.dir = path; return ret; } } } } else if (isPathSeparator(code)) { // `path` contains just a path separator, exit early to avoid // unnecessary work ret.root = ret.dir = path; return ret; } if (rootEnd > 0) { ret.root = path.slice(0, rootEnd); } var startDot = -1; var startPart = rootEnd; var end = -1; var matchedSlash = true; var i = path.length - 1; // Track the state of characters (if any) we see before our first dot and // after any path separator we find var preDotState = 0; // Get non-dir info for (; i >= rootEnd; --i) { code = path.charCodeAt(i); if (isPathSeparator(code)) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly '..' (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { if (end !== -1) { ret.base = ret.name = path.slice(startPart, end); } } else { ret.name = path.slice(startPart, startDot); ret.base = path.slice(startPart, end); ret.ext = path.slice(startDot, end); } // If the directory is the root, use the entire root as the `dir` including // the trailing slash if any (`C:\abc` -> `C:\`). Otherwise, strip out the // trailing slash (`C:\abc\def` -> `C:\abc`). if (startPart > 0 && startPart !== rootEnd) { ret.dir = path.slice(0, startPart - 1); } else { ret.dir = ret.root; } return ret; }, sep: '\\', delimiter: ';', win32: null, posix: null }; var posix = { // path.resolve([from ...], to) resolve: function () { var pathSegments = []; for (var _i = 0; _i < arguments.length; _i++) { pathSegments[_i] = arguments[_i]; } var resolvedPath = ''; var resolvedAbsolute = false; for (var i = pathSegments.length - 1; i >= -1 && !resolvedAbsolute; i--) { var path = void 0; if (i >= 0) { path = pathSegments[i]; } else { path = safeProcess.cwd(); } validateString(path, 'path'); // Skip empty entries if (path.length === 0) { continue; } resolvedPath = path + '/' + resolvedPath; resolvedAbsolute = path.charCodeAt(0) === CHAR_FORWARD_SLASH; } // At this point the path should be resolved to a full absolute path, but // handle relative paths to be safe (might happen when process.cwd() fails) // Normalize the path resolvedPath = normalizeString(resolvedPath, !resolvedAbsolute, '/', isPosixPathSeparator); if (resolvedAbsolute) { if (resolvedPath.length > 0) { return '/' + resolvedPath; } else { return '/'; } } else if (resolvedPath.length > 0) { return resolvedPath; } else { return '.'; } }, normalize: function (path) { validateString(path, 'path'); if (path.length === 0) { return '.'; } var isAbsolute = path.charCodeAt(0) === CHAR_FORWARD_SLASH; var trailingSeparator = path.charCodeAt(path.length - 1) === CHAR_FORWARD_SLASH; // Normalize the path path = normalizeString(path, !isAbsolute, '/', isPosixPathSeparator); if (path.length === 0 && !isAbsolute) { path = '.'; } if (path.length > 0 && trailingSeparator) { path += '/'; } if (isAbsolute) { return '/' + path; } return path; }, isAbsolute: function (path) { validateString(path, 'path'); return path.length > 0 && path.charCodeAt(0) === CHAR_FORWARD_SLASH; }, join: function () { var paths = []; for (var _i = 0; _i < arguments.length; _i++) { paths[_i] = arguments[_i]; } if (paths.length === 0) { return '.'; } var joined; for (var i = 0; i < paths.length; ++i) { var arg = arguments[i]; validateString(arg, 'path'); if (arg.length > 0) { if (joined === undefined) { joined = arg; } else { joined += '/' + arg; } } } if (joined === undefined) { return '.'; } return posix.normalize(joined); }, relative: function (from, to) { validateString(from, 'from'); validateString(to, 'to'); if (from === to) { return ''; } from = posix.resolve(from); to = posix.resolve(to); if (from === to) { return ''; } // Trim any leading backslashes var fromStart = 1; for (; fromStart < from.length; ++fromStart) { if (from.charCodeAt(fromStart) !== CHAR_FORWARD_SLASH) { break; } } var fromEnd = from.length; var fromLen = (fromEnd - fromStart); // Trim any leading backslashes var toStart = 1; for (; toStart < to.length; ++toStart) { if (to.charCodeAt(toStart) !== CHAR_FORWARD_SLASH) { break; } } var toEnd = to.length; var toLen = (toEnd - toStart); // Compare paths to find the longest common path from root var length = (fromLen < toLen ? fromLen : toLen); var lastCommonSep = -1; var i = 0; for (; i <= length; ++i) { if (i === length) { if (toLen > length) { if (to.charCodeAt(toStart + i) === CHAR_FORWARD_SLASH) { // We get here if `from` is the exact base path for `to`. // For example: from='/foo/bar'; to='/foo/bar/baz' return to.slice(toStart + i + 1); } else if (i === 0) { // We get here if `from` is the root // For example: from='/'; to='/foo' return to.slice(toStart + i); } } else if (fromLen > length) { if (from.charCodeAt(fromStart + i) === CHAR_FORWARD_SLASH) { // We get here if `to` is the exact base path for `from`. // For example: from='/foo/bar/baz'; to='/foo/bar' lastCommonSep = i; } else if (i === 0) { // We get here if `to` is the root. // For example: from='/foo'; to='/' lastCommonSep = 0; } } break; } var fromCode = from.charCodeAt(fromStart + i); var toCode = to.charCodeAt(toStart + i); if (fromCode !== toCode) { break; } else if (fromCode === CHAR_FORWARD_SLASH) { lastCommonSep = i; } } var out = ''; // Generate the relative path based on the path difference between `to` // and `from` for (i = fromStart + lastCommonSep + 1; i <= fromEnd; ++i) { if (i === fromEnd || from.charCodeAt(i) === CHAR_FORWARD_SLASH) { if (out.length === 0) { out += '..'; } else { out += '/..'; } } } // Lastly, append the rest of the destination (`to`) path that comes after // the common path parts if (out.length > 0) { return out + to.slice(toStart + lastCommonSep); } else { toStart += lastCommonSep; if (to.charCodeAt(toStart) === CHAR_FORWARD_SLASH) { ++toStart; } return to.slice(toStart); } }, toNamespacedPath: function (path) { // Non-op on posix systems return path; }, dirname: function (path) { validateString(path, 'path'); if (path.length === 0) { return '.'; } var hasRoot = path.charCodeAt(0) === CHAR_FORWARD_SLASH; var end = -1; var matchedSlash = true; for (var i = path.length - 1; i >= 1; --i) { if (path.charCodeAt(i) === CHAR_FORWARD_SLASH) { if (!matchedSlash) { end = i; break; } } else { // We saw the first non-path separator matchedSlash = false; } } if (end === -1) { return hasRoot ? '/' : '.'; } if (hasRoot && end === 1) { return '//'; } return path.slice(0, end); }, basename: function (path, ext) { if (ext !== undefined) { validateString(ext, 'ext'); } validateString(path, 'path'); var start = 0; var end = -1; var matchedSlash = true; var i; if (ext !== undefined && ext.length > 0 && ext.length <= path.length) { if (ext.length === path.length && ext === path) { return ''; } var extIdx = ext.length - 1; var firstNonSlashEnd = -1; for (i = path.length - 1; i >= 0; --i) { var code = path.charCodeAt(i); if (code === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else { if (firstNonSlashEnd === -1) { // We saw the first non-path separator, remember this index in case // we need it if the extension ends up not matching matchedSlash = false; firstNonSlashEnd = i + 1; } if (extIdx >= 0) { // Try to match the explicit extension if (code === ext.charCodeAt(extIdx)) { if (--extIdx === -1) { // We matched the extension, so mark this as the end of our path // component end = i; } } else { // Extension does not match, so our result is the entire path // component extIdx = -1; end = firstNonSlashEnd; } } } } if (start === end) { end = firstNonSlashEnd; } else if (end === -1) { end = path.length; } return path.slice(start, end); } else { for (i = path.length - 1; i >= 0; --i) { if (path.charCodeAt(i) === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else if (end === -1) { // We saw the first non-path separator, mark this as the end of our // path component matchedSlash = false; end = i + 1; } } if (end === -1) { return ''; } return path.slice(start, end); } }, extname: function (path) { validateString(path, 'path'); var startDot = -1; var startPart = 0; var end = -1; var matchedSlash = true; // Track the state of characters (if any) we see before our first dot and // after any path separator we find var preDotState = 0; for (var i = path.length - 1; i >= 0; --i) { var code = path.charCodeAt(i); if (code === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly '..' (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { return ''; } return path.slice(startDot, end); }, format: function (pathObject) { if (pathObject === null || typeof pathObject !== 'object') { throw new ErrorInvalidArgType('pathObject', 'Object', pathObject); } return _format('/', pathObject); }, parse: function (path) { validateString(path, 'path'); var ret = { root: '', dir: '', base: '', ext: '', name: '' }; if (path.length === 0) { return ret; } var isAbsolute = path.charCodeAt(0) === CHAR_FORWARD_SLASH; var start; if (isAbsolute) { ret.root = '/'; start = 1; } else { start = 0; } var startDot = -1; var startPart = 0; var end = -1; var matchedSlash = true; var i = path.length - 1; // Track the state of characters (if any) we see before our first dot and // after any path separator we find var preDotState = 0; // Get non-dir info for (; i >= start; --i) { var code = path.charCodeAt(i); if (code === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly '..' (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { if (end !== -1) { if (startPart === 0 && isAbsolute) { ret.base = ret.name = path.slice(1, end); } else { ret.base = ret.name = path.slice(startPart, end); } } } else { if (startPart === 0 && isAbsolute) { ret.name = path.slice(1, startDot); ret.base = path.slice(1, end); } else { ret.name = path.slice(startPart, startDot); ret.base = path.slice(startPart, end); } ret.ext = path.slice(startDot, end); } if (startPart > 0) { ret.dir = path.slice(0, startPart - 1); } else if (isAbsolute) { ret.dir = '/'; } return ret; }, sep: '/', delimiter: ':', win32: null, posix: null }; posix.win32 = win32.win32 = win32; posix.posix = win32.posix = posix; var normalize = (safeProcess.platform === 'win32' ? win32.normalize : posix.normalize); var join = (safeProcess.platform === 'win32' ? win32.join : posix.join); var relative = (safeProcess.platform === 'win32' ? win32.relative : posix.relative); var dirname = (safeProcess.platform === 'win32' ? win32.dirname : posix.dirname); var basename = (safeProcess.platform === 'win32' ? win32.basename : posix.basename); var extname = (safeProcess.platform === 'win32' ? win32.extname : posix.extname); var sep = (safeProcess.platform === 'win32' ? win32.sep : posix.sep); /* WEBPACK VAR INJECTION */}.call(__webpack_exports__, __webpack_require__(110))) /***/ }), /***/ 1443: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ID_EDITOR_WORKER_SERVICE */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IEditorWorkerService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ID_EDITOR_WORKER_SERVICE = 'editorWorkerService'; var IEditorWorkerService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])(ID_EDITOR_WORKER_SERVICE); /***/ }), /***/ 1444: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Uint8Matrix; }); /* harmony export (immutable) */ __webpack_exports__["d"] = toUint8; /* harmony export (immutable) */ __webpack_exports__["b"] = toUint32; /* harmony export (immutable) */ __webpack_exports__["c"] = toUint32Array; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Uint8Matrix = /** @class */ (function () { function Uint8Matrix(rows, cols, defaultValue) { var data = new Uint8Array(rows * cols); for (var i = 0, len = rows * cols; i < len; i++) { data[i] = defaultValue; } this._data = data; this.rows = rows; this.cols = cols; } Uint8Matrix.prototype.get = function (row, col) { return this._data[row * this.cols + col]; }; Uint8Matrix.prototype.set = function (row, col, value) { this._data[row * this.cols + col] = value; }; return Uint8Matrix; }()); function toUint8(v) { if (v < 0) { return 0; } if (v > 255 /* MAX_UINT_8 */) { return 255 /* MAX_UINT_8 */; } return v | 0; } function toUint32(v) { if (v < 0) { return 0; } if (v > 4294967295 /* MAX_UINT_32 */) { return 4294967295 /* MAX_UINT_32 */; } return v | 0; } function toUint32Array(arr) { var len = arr.length; var r = new Uint32Array(len); for (var i = 0; i < len; i++) { r[i] = toUint32(arr[i]); } return r; } /***/ }), /***/ 1445: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LineTokens; }); /* unused harmony export SlicedLineTokens */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__modes_js__ = __webpack_require__(1044); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var LineTokens = /** @class */ (function () { function LineTokens(tokens, text) { this._tokens = tokens; this._tokensCount = (this._tokens.length >>> 1); this._text = text; } LineTokens.prototype.equals = function (other) { if (other instanceof LineTokens) { return this.slicedEquals(other, 0, this._tokensCount); } return false; }; LineTokens.prototype.slicedEquals = function (other, sliceFromTokenIndex, sliceTokenCount) { if (this._text !== other._text) { return false; } if (this._tokensCount !== other._tokensCount) { return false; } var from = (sliceFromTokenIndex << 1); var to = from + (sliceTokenCount << 1); for (var i = from; i < to; i++) { if (this._tokens[i] !== other._tokens[i]) { return false; } } return true; }; LineTokens.prototype.getLineContent = function () { return this._text; }; LineTokens.prototype.getCount = function () { return this._tokensCount; }; LineTokens.prototype.getStartOffset = function (tokenIndex) { if (tokenIndex > 0) { return this._tokens[(tokenIndex - 1) << 1]; } return 0; }; LineTokens.prototype.getLanguageId = function (tokenIndex) { var metadata = this._tokens[(tokenIndex << 1) + 1]; return __WEBPACK_IMPORTED_MODULE_0__modes_js__["u" /* TokenMetadata */].getLanguageId(metadata); }; LineTokens.prototype.getStandardTokenType = function (tokenIndex) { var metadata = this._tokens[(tokenIndex << 1) + 1]; return __WEBPACK_IMPORTED_MODULE_0__modes_js__["u" /* TokenMetadata */].getTokenType(metadata); }; LineTokens.prototype.getForeground = function (tokenIndex) { var metadata = this._tokens[(tokenIndex << 1) + 1]; return __WEBPACK_IMPORTED_MODULE_0__modes_js__["u" /* TokenMetadata */].getForeground(metadata); }; LineTokens.prototype.getClassName = function (tokenIndex) { var metadata = this._tokens[(tokenIndex << 1) + 1]; return __WEBPACK_IMPORTED_MODULE_0__modes_js__["u" /* TokenMetadata */].getClassNameFromMetadata(metadata); }; LineTokens.prototype.getInlineStyle = function (tokenIndex, colorMap) { var metadata = this._tokens[(tokenIndex << 1) + 1]; return __WEBPACK_IMPORTED_MODULE_0__modes_js__["u" /* TokenMetadata */].getInlineStyleFromMetadata(metadata, colorMap); }; LineTokens.prototype.getEndOffset = function (tokenIndex) { return this._tokens[tokenIndex << 1]; }; /** * Find the token containing offset `offset`. * @param offset The search offset * @return The index of the token containing the offset. */ LineTokens.prototype.findTokenIndexAtOffset = function (offset) { return LineTokens.findIndexInTokensArray(this._tokens, offset); }; LineTokens.prototype.inflate = function () { return this; }; LineTokens.prototype.sliceAndInflate = function (startOffset, endOffset, deltaOffset) { return new SlicedLineTokens(this, startOffset, endOffset, deltaOffset); }; LineTokens.convertToEndOffset = function (tokens, lineTextLength) { var tokenCount = (tokens.length >>> 1); var lastTokenIndex = tokenCount - 1; for (var tokenIndex = 0; tokenIndex < lastTokenIndex; tokenIndex++) { tokens[tokenIndex << 1] = tokens[(tokenIndex + 1) << 1]; } tokens[lastTokenIndex << 1] = lineTextLength; }; LineTokens.findIndexInTokensArray = function (tokens, desiredIndex) { if (tokens.length <= 2) { return 0; } var low = 0; var high = (tokens.length >>> 1) - 1; while (low < high) { var mid = low + Math.floor((high - low) / 2); var endOffset = tokens[(mid << 1)]; if (endOffset === desiredIndex) { return mid + 1; } else if (endOffset < desiredIndex) { low = mid + 1; } else if (endOffset > desiredIndex) { high = mid; } } return low; }; return LineTokens; }()); var SlicedLineTokens = /** @class */ (function () { function SlicedLineTokens(source, startOffset, endOffset, deltaOffset) { this._source = source; this._startOffset = startOffset; this._endOffset = endOffset; this._deltaOffset = deltaOffset; this._firstTokenIndex = source.findTokenIndexAtOffset(startOffset); this._tokensCount = 0; for (var i = this._firstTokenIndex, len = source.getCount(); i < len; i++) { var tokenStartOffset = source.getStartOffset(i); if (tokenStartOffset >= endOffset) { break; } this._tokensCount++; } } SlicedLineTokens.prototype.equals = function (other) { if (other instanceof SlicedLineTokens) { return (this._startOffset === other._startOffset && this._endOffset === other._endOffset && this._deltaOffset === other._deltaOffset && this._source.slicedEquals(other._source, this._firstTokenIndex, this._tokensCount)); } return false; }; SlicedLineTokens.prototype.getCount = function () { return this._tokensCount; }; SlicedLineTokens.prototype.getForeground = function (tokenIndex) { return this._source.getForeground(this._firstTokenIndex + tokenIndex); }; SlicedLineTokens.prototype.getEndOffset = function (tokenIndex) { var tokenEndOffset = this._source.getEndOffset(this._firstTokenIndex + tokenIndex); return Math.min(this._endOffset, tokenEndOffset) - this._startOffset + this._deltaOffset; }; SlicedLineTokens.prototype.getClassName = function (tokenIndex) { return this._source.getClassName(this._firstTokenIndex + tokenIndex); }; SlicedLineTokens.prototype.getInlineStyle = function (tokenIndex, colorMap) { return this._source.getInlineStyle(this._firstTokenIndex + tokenIndex, colorMap); }; SlicedLineTokens.prototype.findTokenIndexAtOffset = function (offset) { return this._source.findTokenIndexAtOffset(offset + this._startOffset - this._deltaOffset) - this._firstTokenIndex; }; return SlicedLineTokens; }()); /***/ }), /***/ 1446: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return RenderLineInput; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CharacterMapping; }); /* unused harmony export RenderLineOutput */ /* harmony export (immutable) */ __webpack_exports__["c"] = renderViewLine; /* unused harmony export RenderLineOutput2 */ /* harmony export (immutable) */ __webpack_exports__["d"] = renderViewLine2; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_stringBuilder_js__ = __webpack_require__(1569); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__lineDecorations_js__ = __webpack_require__(1570); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var LinePart = /** @class */ (function () { function LinePart(endIndex, type) { this.endIndex = endIndex; this.type = type; } return LinePart; }()); var RenderLineInput = /** @class */ (function () { function RenderLineInput(useMonospaceOptimizations, canUseHalfwidthRightwardsArrow, lineContent, continuesWithWrappedLine, isBasicASCII, containsRTL, fauxIndentLength, lineTokens, lineDecorations, tabSize, spaceWidth, stopRenderingLineAfter, renderWhitespace, renderControlCharacters, fontLigatures) { this.useMonospaceOptimizations = useMonospaceOptimizations; this.canUseHalfwidthRightwardsArrow = canUseHalfwidthRightwardsArrow; this.lineContent = lineContent; this.continuesWithWrappedLine = continuesWithWrappedLine; this.isBasicASCII = isBasicASCII; this.containsRTL = containsRTL; this.fauxIndentLength = fauxIndentLength; this.lineTokens = lineTokens; this.lineDecorations = lineDecorations; this.tabSize = tabSize; this.spaceWidth = spaceWidth; this.stopRenderingLineAfter = stopRenderingLineAfter; this.renderWhitespace = (renderWhitespace === 'all' ? 2 /* All */ : renderWhitespace === 'boundary' ? 1 /* Boundary */ : 0 /* None */); this.renderControlCharacters = renderControlCharacters; this.fontLigatures = fontLigatures; } RenderLineInput.prototype.equals = function (other) { return (this.useMonospaceOptimizations === other.useMonospaceOptimizations && this.canUseHalfwidthRightwardsArrow === other.canUseHalfwidthRightwardsArrow && this.lineContent === other.lineContent && this.continuesWithWrappedLine === other.continuesWithWrappedLine && this.isBasicASCII === other.isBasicASCII && this.containsRTL === other.containsRTL && this.fauxIndentLength === other.fauxIndentLength && this.tabSize === other.tabSize && this.spaceWidth === other.spaceWidth && this.stopRenderingLineAfter === other.stopRenderingLineAfter && this.renderWhitespace === other.renderWhitespace && this.renderControlCharacters === other.renderControlCharacters && this.fontLigatures === other.fontLigatures && __WEBPACK_IMPORTED_MODULE_2__lineDecorations_js__["a" /* LineDecoration */].equalsArr(this.lineDecorations, other.lineDecorations) && this.lineTokens.equals(other.lineTokens)); }; return RenderLineInput; }()); /** * Provides a both direction mapping between a line's character and its rendered position. */ var CharacterMapping = /** @class */ (function () { function CharacterMapping(length, partCount) { this.length = length; this._data = new Uint32Array(this.length); this._absoluteOffsets = new Uint32Array(this.length); } CharacterMapping.getPartIndex = function (partData) { return (partData & 4294901760 /* PART_INDEX_MASK */) >>> 16 /* PART_INDEX_OFFSET */; }; CharacterMapping.getCharIndex = function (partData) { return (partData & 65535 /* CHAR_INDEX_MASK */) >>> 0 /* CHAR_INDEX_OFFSET */; }; CharacterMapping.prototype.setPartData = function (charOffset, partIndex, charIndex, partAbsoluteOffset) { var partData = ((partIndex << 16 /* PART_INDEX_OFFSET */) | (charIndex << 0 /* CHAR_INDEX_OFFSET */)) >>> 0; this._data[charOffset] = partData; this._absoluteOffsets[charOffset] = partAbsoluteOffset + charIndex; }; CharacterMapping.prototype.getAbsoluteOffsets = function () { return this._absoluteOffsets; }; CharacterMapping.prototype.charOffsetToPartData = function (charOffset) { if (this.length === 0) { return 0; } if (charOffset < 0) { return this._data[0]; } if (charOffset >= this.length) { return this._data[this.length - 1]; } return this._data[charOffset]; }; CharacterMapping.prototype.partDataToCharOffset = function (partIndex, partLength, charIndex) { if (this.length === 0) { return 0; } var searchEntry = ((partIndex << 16 /* PART_INDEX_OFFSET */) | (charIndex << 0 /* CHAR_INDEX_OFFSET */)) >>> 0; var min = 0; var max = this.length - 1; while (min + 1 < max) { var mid = ((min + max) >>> 1); var midEntry = this._data[mid]; if (midEntry === searchEntry) { return mid; } else if (midEntry > searchEntry) { max = mid; } else { min = mid; } } if (min === max) { return min; } var minEntry = this._data[min]; var maxEntry = this._data[max]; if (minEntry === searchEntry) { return min; } if (maxEntry === searchEntry) { return max; } var minPartIndex = CharacterMapping.getPartIndex(minEntry); var minCharIndex = CharacterMapping.getCharIndex(minEntry); var maxPartIndex = CharacterMapping.getPartIndex(maxEntry); var maxCharIndex; if (minPartIndex !== maxPartIndex) { // sitting between parts maxCharIndex = partLength; } else { maxCharIndex = CharacterMapping.getCharIndex(maxEntry); } var minEntryDistance = charIndex - minCharIndex; var maxEntryDistance = maxCharIndex - charIndex; if (minEntryDistance <= maxEntryDistance) { return min; } return max; }; return CharacterMapping; }()); var RenderLineOutput = /** @class */ (function () { function RenderLineOutput(characterMapping, containsRTL, containsForeignElements) { this.characterMapping = characterMapping; this.containsRTL = containsRTL; this.containsForeignElements = containsForeignElements; } return RenderLineOutput; }()); function renderViewLine(input, sb) { if (input.lineContent.length === 0) { var containsForeignElements = 0 /* None */; // This is basically for IE's hit test to work var content = '<span><span>\u00a0</span></span>'; if (input.lineDecorations.length > 0) { // This line is empty, but it contains inline decorations var classNames = []; for (var i = 0, len = input.lineDecorations.length; i < len; i++) { var lineDecoration = input.lineDecorations[i]; if (lineDecoration.type === 1 /* Before */) { classNames.push(input.lineDecorations[i].className); containsForeignElements |= 1 /* Before */; } if (lineDecoration.type === 2 /* After */) { classNames.push(input.lineDecorations[i].className); containsForeignElements |= 2 /* After */; } } if (containsForeignElements !== 0 /* None */) { content = "<span><span class=\"" + classNames.join(' ') + "\"></span></span>"; } } sb.appendASCIIString(content); return new RenderLineOutput(new CharacterMapping(0, 0), false, containsForeignElements); } return _renderLine(resolveRenderLineInput(input), sb); } var RenderLineOutput2 = /** @class */ (function () { function RenderLineOutput2(characterMapping, html, containsRTL, containsForeignElements) { this.characterMapping = characterMapping; this.html = html; this.containsRTL = containsRTL; this.containsForeignElements = containsForeignElements; } return RenderLineOutput2; }()); function renderViewLine2(input) { var sb = Object(__WEBPACK_IMPORTED_MODULE_1__core_stringBuilder_js__["a" /* createStringBuilder */])(10000); var out = renderViewLine(input, sb); return new RenderLineOutput2(out.characterMapping, sb.build(), out.containsRTL, out.containsForeignElements); } var ResolvedRenderLineInput = /** @class */ (function () { function ResolvedRenderLineInput(fontIsMonospace, canUseHalfwidthRightwardsArrow, lineContent, len, isOverflowing, parts, containsForeignElements, tabSize, containsRTL, spaceWidth, renderWhitespace, renderControlCharacters) { this.fontIsMonospace = fontIsMonospace; this.canUseHalfwidthRightwardsArrow = canUseHalfwidthRightwardsArrow; this.lineContent = lineContent; this.len = len; this.isOverflowing = isOverflowing; this.parts = parts; this.containsForeignElements = containsForeignElements; this.tabSize = tabSize; this.containsRTL = containsRTL; this.spaceWidth = spaceWidth; this.renderWhitespace = renderWhitespace; this.renderControlCharacters = renderControlCharacters; // } return ResolvedRenderLineInput; }()); function resolveRenderLineInput(input) { var useMonospaceOptimizations = input.useMonospaceOptimizations; var lineContent = input.lineContent; var isOverflowing; var len; if (input.stopRenderingLineAfter !== -1 && input.stopRenderingLineAfter < lineContent.length) { isOverflowing = true; len = input.stopRenderingLineAfter; } else { isOverflowing = false; len = lineContent.length; } var tokens = transformAndRemoveOverflowing(input.lineTokens, input.fauxIndentLength, len); if (input.renderWhitespace === 2 /* All */ || input.renderWhitespace === 1 /* Boundary */) { tokens = _applyRenderWhitespace(lineContent, len, input.continuesWithWrappedLine, tokens, input.fauxIndentLength, input.tabSize, useMonospaceOptimizations, input.renderWhitespace === 1 /* Boundary */); } var containsForeignElements = 0 /* None */; if (input.lineDecorations.length > 0) { for (var i = 0, len_1 = input.lineDecorations.length; i < len_1; i++) { var lineDecoration = input.lineDecorations[i]; if (lineDecoration.type === 3 /* RegularAffectingLetterSpacing */) { // Pretend there are foreign elements... although not 100% accurate. containsForeignElements |= 1 /* Before */; } else if (lineDecoration.type === 1 /* Before */) { containsForeignElements |= 1 /* Before */; } else if (lineDecoration.type === 2 /* After */) { containsForeignElements |= 2 /* After */; } } tokens = _applyInlineDecorations(lineContent, len, tokens, input.lineDecorations); } if (!input.containsRTL) { // We can never split RTL text, as it ruins the rendering tokens = splitLargeTokens(lineContent, tokens, !input.isBasicASCII || input.fontLigatures); } return new ResolvedRenderLineInput(useMonospaceOptimizations, input.canUseHalfwidthRightwardsArrow, lineContent, len, isOverflowing, tokens, containsForeignElements, input.tabSize, input.containsRTL, input.spaceWidth, input.renderWhitespace, input.renderControlCharacters); } /** * In the rendering phase, characters are always looped until token.endIndex. * Ensure that all tokens end before `len` and the last one ends precisely at `len`. */ function transformAndRemoveOverflowing(tokens, fauxIndentLength, len) { var result = [], resultLen = 0; // The faux indent part of the line should have no token type if (fauxIndentLength > 0) { result[resultLen++] = new LinePart(fauxIndentLength, ''); } for (var tokenIndex = 0, tokensLen = tokens.getCount(); tokenIndex < tokensLen; tokenIndex++) { var endIndex = tokens.getEndOffset(tokenIndex); if (endIndex <= fauxIndentLength) { // The faux indent part of the line should have no token type continue; } var type = tokens.getClassName(tokenIndex); if (endIndex >= len) { result[resultLen++] = new LinePart(len, type); break; } result[resultLen++] = new LinePart(endIndex, type); } return result; } /** * See https://github.com/Microsoft/vscode/issues/6885. * It appears that having very large spans causes very slow reading of character positions. * So here we try to avoid that. */ function splitLargeTokens(lineContent, tokens, onlyAtSpaces) { var lastTokenEndIndex = 0; var result = [], resultLen = 0; if (onlyAtSpaces) { // Split only at spaces => we need to walk each character for (var i = 0, len = tokens.length; i < len; i++) { var token = tokens[i]; var tokenEndIndex = token.endIndex; if (lastTokenEndIndex + 50 /* LongToken */ < tokenEndIndex) { var tokenType = token.type; var lastSpaceOffset = -1; var currTokenStart = lastTokenEndIndex; for (var j = lastTokenEndIndex; j < tokenEndIndex; j++) { if (lineContent.charCodeAt(j) === 32 /* Space */) { lastSpaceOffset = j; } if (lastSpaceOffset !== -1 && j - currTokenStart >= 50 /* LongToken */) { // Split at `lastSpaceOffset` + 1 result[resultLen++] = new LinePart(lastSpaceOffset + 1, tokenType); currTokenStart = lastSpaceOffset + 1; lastSpaceOffset = -1; } } if (currTokenStart !== tokenEndIndex) { result[resultLen++] = new LinePart(tokenEndIndex, tokenType); } } else { result[resultLen++] = token; } lastTokenEndIndex = tokenEndIndex; } } else { // Split anywhere => we don't need to walk each character for (var i = 0, len = tokens.length; i < len; i++) { var token = tokens[i]; var tokenEndIndex = token.endIndex; var diff = (tokenEndIndex - lastTokenEndIndex); if (diff > 50 /* LongToken */) { var tokenType = token.type; var piecesCount = Math.ceil(diff / 50 /* LongToken */); for (var j = 1; j < piecesCount; j++) { var pieceEndIndex = lastTokenEndIndex + (j * 50 /* LongToken */); result[resultLen++] = new LinePart(pieceEndIndex, tokenType); } result[resultLen++] = new LinePart(tokenEndIndex, tokenType); } else { result[resultLen++] = token; } lastTokenEndIndex = tokenEndIndex; } } return result; } /** * Whitespace is rendered by "replacing" tokens with a special-purpose `vs-whitespace` type that is later recognized in the rendering phase. * Moreover, a token is created for every visual indent because on some fonts the glyphs used for rendering whitespace (→ or ·) do not have the same width as . * The rendering phase will generate `style="width:..."` for these tokens. */ function _applyRenderWhitespace(lineContent, len, continuesWithWrappedLine, tokens, fauxIndentLength, tabSize, useMonospaceOptimizations, onlyBoundary) { var result = [], resultLen = 0; var tokenIndex = 0; var tokenType = tokens[tokenIndex].type; var tokenEndIndex = tokens[tokenIndex].endIndex; var tokensLength = tokens.length; var firstNonWhitespaceIndex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](lineContent); var lastNonWhitespaceIndex; if (firstNonWhitespaceIndex === -1) { // The entire line is whitespace firstNonWhitespaceIndex = len; lastNonWhitespaceIndex = len; } else { lastNonWhitespaceIndex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["x" /* lastNonWhitespaceIndex */](lineContent); } var tmpIndent = 0; for (var charIndex = 0; charIndex < fauxIndentLength; charIndex++) { var chCode = lineContent.charCodeAt(charIndex); if (chCode === 9 /* Tab */) { tmpIndent = tabSize; } else if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["s" /* isFullWidthCharacter */](chCode)) { tmpIndent += 2; } else { tmpIndent++; } } tmpIndent = tmpIndent % tabSize; var wasInWhitespace = false; for (var charIndex = fauxIndentLength; charIndex < len; charIndex++) { var chCode = lineContent.charCodeAt(charIndex); var isInWhitespace = void 0; if (charIndex < firstNonWhitespaceIndex || charIndex > lastNonWhitespaceIndex) { // in leading or trailing whitespace isInWhitespace = true; } else if (chCode === 9 /* Tab */) { // a tab character is rendered both in all and boundary cases isInWhitespace = true; } else if (chCode === 32 /* Space */) { // hit a space character if (onlyBoundary) { // rendering only boundary whitespace if (wasInWhitespace) { isInWhitespace = true; } else { var nextChCode = (charIndex + 1 < len ? lineContent.charCodeAt(charIndex + 1) : 0 /* Null */); isInWhitespace = (nextChCode === 32 /* Space */ || nextChCode === 9 /* Tab */); } } else { isInWhitespace = true; } } else { isInWhitespace = false; } if (wasInWhitespace) { // was in whitespace token if (!isInWhitespace || (!useMonospaceOptimizations && tmpIndent >= tabSize)) { // leaving whitespace token or entering a new indent result[resultLen++] = new LinePart(charIndex, 'vs-whitespace'); tmpIndent = tmpIndent % tabSize; } } else { // was in regular token if (charIndex === tokenEndIndex || (isInWhitespace && charIndex > fauxIndentLength)) { result[resultLen++] = new LinePart(charIndex, tokenType); tmpIndent = tmpIndent % tabSize; } } if (chCode === 9 /* Tab */) { tmpIndent = tabSize; } else if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["s" /* isFullWidthCharacter */](chCode)) { tmpIndent += 2; } else { tmpIndent++; } wasInWhitespace = isInWhitespace; if (charIndex === tokenEndIndex) { tokenIndex++; if (tokenIndex < tokensLength) { tokenType = tokens[tokenIndex].type; tokenEndIndex = tokens[tokenIndex].endIndex; } } } var generateWhitespace = false; if (wasInWhitespace) { // was in whitespace token if (continuesWithWrappedLine && onlyBoundary) { var lastCharCode = (len > 0 ? lineContent.charCodeAt(len - 1) : 0 /* Null */); var prevCharCode = (len > 1 ? lineContent.charCodeAt(len - 2) : 0 /* Null */); var isSingleTrailingSpace = (lastCharCode === 32 /* Space */ && (prevCharCode !== 32 /* Space */ && prevCharCode !== 9 /* Tab */)); if (!isSingleTrailingSpace) { generateWhitespace = true; } } else { generateWhitespace = true; } } result[resultLen++] = new LinePart(len, generateWhitespace ? 'vs-whitespace' : tokenType); return result; } /** * Inline decorations are "merged" on top of tokens. * Special care must be taken when multiple inline decorations are at play and they overlap. */ function _applyInlineDecorations(lineContent, len, tokens, _lineDecorations) { _lineDecorations.sort(__WEBPACK_IMPORTED_MODULE_2__lineDecorations_js__["a" /* LineDecoration */].compare); var lineDecorations = __WEBPACK_IMPORTED_MODULE_2__lineDecorations_js__["b" /* LineDecorationsNormalizer */].normalize(lineContent, _lineDecorations); var lineDecorationsLen = lineDecorations.length; var lineDecorationIndex = 0; var result = [], resultLen = 0, lastResultEndIndex = 0; for (var tokenIndex = 0, len_2 = tokens.length; tokenIndex < len_2; tokenIndex++) { var token = tokens[tokenIndex]; var tokenEndIndex = token.endIndex; var tokenType = token.type; while (lineDecorationIndex < lineDecorationsLen && lineDecorations[lineDecorationIndex].startOffset < tokenEndIndex) { var lineDecoration = lineDecorations[lineDecorationIndex]; if (lineDecoration.startOffset > lastResultEndIndex) { lastResultEndIndex = lineDecoration.startOffset; result[resultLen++] = new LinePart(lastResultEndIndex, tokenType); } if (lineDecoration.endOffset + 1 <= tokenEndIndex) { // This line decoration ends before this token ends lastResultEndIndex = lineDecoration.endOffset + 1; result[resultLen++] = new LinePart(lastResultEndIndex, tokenType + ' ' + lineDecoration.className); lineDecorationIndex++; } else { // This line decoration continues on to the next token lastResultEndIndex = tokenEndIndex; result[resultLen++] = new LinePart(lastResultEndIndex, tokenType + ' ' + lineDecoration.className); break; } } if (tokenEndIndex > lastResultEndIndex) { lastResultEndIndex = tokenEndIndex; result[resultLen++] = new LinePart(lastResultEndIndex, tokenType); } } var lastTokenEndIndex = tokens[tokens.length - 1].endIndex; if (lineDecorationIndex < lineDecorationsLen && lineDecorations[lineDecorationIndex].startOffset === lastTokenEndIndex) { var classNames = []; while (lineDecorationIndex < lineDecorationsLen && lineDecorations[lineDecorationIndex].startOffset === lastTokenEndIndex) { classNames.push(lineDecorations[lineDecorationIndex].className); lineDecorationIndex++; } result[resultLen++] = new LinePart(lastResultEndIndex, classNames.join(' ')); } return result; } /** * This function is on purpose not split up into multiple functions to allow runtime type inference (i.e. performance reasons). * Notice how all the needed data is fully resolved and passed in (i.e. no other calls). */ function _renderLine(input, sb) { var fontIsMonospace = input.fontIsMonospace; var canUseHalfwidthRightwardsArrow = input.canUseHalfwidthRightwardsArrow; var containsForeignElements = input.containsForeignElements; var lineContent = input.lineContent; var len = input.len; var isOverflowing = input.isOverflowing; var parts = input.parts; var tabSize = input.tabSize; var containsRTL = input.containsRTL; var spaceWidth = input.spaceWidth; var renderWhitespace = input.renderWhitespace; var renderControlCharacters = input.renderControlCharacters; var characterMapping = new CharacterMapping(len + 1, parts.length); var charIndex = 0; var tabsCharDelta = 0; var charOffsetInPart = 0; var prevPartContentCnt = 0; var partAbsoluteOffset = 0; sb.appendASCIIString('<span>'); for (var partIndex = 0, tokensLen = parts.length; partIndex < tokensLen; partIndex++) { partAbsoluteOffset += prevPartContentCnt; var part = parts[partIndex]; var partEndIndex = part.endIndex; var partType = part.type; var partRendersWhitespace = (renderWhitespace !== 0 /* None */ && (partType.indexOf('vs-whitespace') >= 0)); charOffsetInPart = 0; sb.appendASCIIString('<span class="'); sb.appendASCIIString(partType); sb.appendASCII(34 /* DoubleQuote */); if (partRendersWhitespace) { var partContentCnt = 0; { var _charIndex = charIndex; var _tabsCharDelta = tabsCharDelta; for (; _charIndex < partEndIndex; _charIndex++) { var charCode = lineContent.charCodeAt(_charIndex); if (charCode === 9 /* Tab */) { var insertSpacesCount = tabSize - (_charIndex + _tabsCharDelta) % tabSize; _tabsCharDelta += insertSpacesCount - 1; partContentCnt += insertSpacesCount; } else { // must be CharCode.Space partContentCnt++; } } } if (!fontIsMonospace) { var partIsOnlyWhitespace = (partType === 'vs-whitespace'); if (partIsOnlyWhitespace || !containsForeignElements) { sb.appendASCIIString(' style="width:'); sb.appendASCIIString(String(spaceWidth * partContentCnt)); sb.appendASCIIString('px"'); } } sb.appendASCII(62 /* GreaterThan */); for (; charIndex < partEndIndex; charIndex++) { characterMapping.setPartData(charIndex, partIndex, charOffsetInPart, partAbsoluteOffset); var charCode = lineContent.charCodeAt(charIndex); if (charCode === 9 /* Tab */) { var insertSpacesCount = tabSize - (charIndex + tabsCharDelta) % tabSize; tabsCharDelta += insertSpacesCount - 1; charOffsetInPart += insertSpacesCount - 1; if (insertSpacesCount > 0) { if (!canUseHalfwidthRightwardsArrow || insertSpacesCount > 1) { sb.write1(0x2192); // RIGHTWARDS ARROW } else { sb.write1(0xFFEB); // HALFWIDTH RIGHTWARDS ARROW } insertSpacesCount--; } while (insertSpacesCount > 0) { sb.write1(0xA0); // insertSpacesCount--; } } else { // must be CharCode.Space sb.write1(0xB7); // · } charOffsetInPart++; } prevPartContentCnt = partContentCnt; } else { var partContentCnt = 0; if (containsRTL) { sb.appendASCIIString(' dir="ltr"'); } sb.appendASCII(62 /* GreaterThan */); for (; charIndex < partEndIndex; charIndex++) { characterMapping.setPartData(charIndex, partIndex, charOffsetInPart, partAbsoluteOffset); var charCode = lineContent.charCodeAt(charIndex); switch (charCode) { case 9 /* Tab */: var insertSpacesCount = tabSize - (charIndex + tabsCharDelta) % tabSize; tabsCharDelta += insertSpacesCount - 1; charOffsetInPart += insertSpacesCount - 1; while (insertSpacesCount > 0) { sb.write1(0xA0); // partContentCnt++; insertSpacesCount--; } break; case 32 /* Space */: sb.write1(0xA0); // partContentCnt++; break; case 60 /* LessThan */: sb.appendASCIIString('<'); partContentCnt++; break; case 62 /* GreaterThan */: sb.appendASCIIString('>'); partContentCnt++; break; case 38 /* Ampersand */: sb.appendASCIIString('&'); partContentCnt++; break; case 0 /* Null */: sb.appendASCIIString('�'); partContentCnt++; break; case 65279 /* UTF8_BOM */: case 8232 /* LINE_SEPARATOR_2028 */: sb.write1(0xFFFD); partContentCnt++; break; default: if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["s" /* isFullWidthCharacter */](charCode)) { tabsCharDelta++; } if (renderControlCharacters && charCode < 32) { sb.write1(9216 + charCode); partContentCnt++; } else { sb.write1(charCode); partContentCnt++; } } charOffsetInPart++; } prevPartContentCnt = partContentCnt; } sb.appendASCIIString('</span>'); } // When getting client rects for the last character, we will position the // text range at the end of the span, insteaf of at the beginning of next span characterMapping.setPartData(len, parts.length - 1, charOffsetInPart, partAbsoluteOffset); if (isOverflowing) { sb.appendASCIIString('<span>…</span>'); } sb.appendASCIIString('</span>'); return new RenderLineOutput(characterMapping, containsRTL, containsForeignElements); } /***/ }), /***/ 1447: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["e"] = isIMenuItem; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IMenuService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return MenuRegistry; }); /* unused harmony export ExecuteCommandAction */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return SubmenuItemAction; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return MenuItemAction; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_actions_js__ = __webpack_require__(1396); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; function isIMenuItem(item) { return item.command !== undefined; } var IMenuService = Object(__WEBPACK_IMPORTED_MODULE_1__instantiation_common_instantiation_js__["c" /* createDecorator */])('menuService'); var MenuRegistry = new /** @class */ (function () { function class_1() { this._commands = Object.create(null); this._menuItems = Object.create(null); this._onDidChangeMenu = new __WEBPACK_IMPORTED_MODULE_4__base_common_event_js__["a" /* Emitter */](); this.onDidChangeMenu = this._onDidChangeMenu.event; } class_1.prototype.addCommand = function (command) { var _this = this; this._commands[command.id] = command; this._onDidChangeMenu.fire(0 /* CommandPalette */); return { dispose: function () { if (delete _this._commands[command.id]) { _this._onDidChangeMenu.fire(0 /* CommandPalette */); } } }; }; class_1.prototype.getCommand = function (id) { return this._commands[id]; }; class_1.prototype.getCommands = function () { var result = Object.create(null); for (var key in this._commands) { result[key] = this.getCommand(key); } return result; }; class_1.prototype.appendMenuItem = function (id, item) { var _this = this; var array = this._menuItems[id]; if (!array) { this._menuItems[id] = array = [item]; } else { array.push(item); } this._onDidChangeMenu.fire(id); return { dispose: function () { var idx = array.indexOf(item); if (idx >= 0) { array.splice(idx, 1); _this._onDidChangeMenu.fire(id); } } }; }; class_1.prototype.getMenuItems = function (id) { var result = (this._menuItems[id] || []).slice(0); if (id === 0 /* CommandPalette */) { // CommandPalette is special because it shows // all commands by default this._appendImplicitItems(result); } return result; }; class_1.prototype._appendImplicitItems = function (result) { var set = new Set(); var temp = result.filter(function (item) { return isIMenuItem(item); }); for (var _i = 0, temp_1 = temp; _i < temp_1.length; _i++) { var _a = temp_1[_i], command = _a.command, alt = _a.alt; set.add(command.id); if (alt) { set.add(alt.id); } } for (var id in this._commands) { if (!set.has(id)) { result.push({ command: this._commands[id] }); } } }; return class_1; }()); var ExecuteCommandAction = /** @class */ (function (_super) { __extends(ExecuteCommandAction, _super); function ExecuteCommandAction(id, label, _commandService) { var _this = _super.call(this, id, label) || this; _this._commandService = _commandService; return _this; } ExecuteCommandAction.prototype.run = function () { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } var _a; return (_a = this._commandService).executeCommand.apply(_a, [this.id].concat(args)); }; ExecuteCommandAction = __decorate([ __param(2, __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__["b" /* ICommandService */]) ], ExecuteCommandAction); return ExecuteCommandAction; }(__WEBPACK_IMPORTED_MODULE_0__base_common_actions_js__["a" /* Action */])); var SubmenuItemAction = /** @class */ (function (_super) { __extends(SubmenuItemAction, _super); function SubmenuItemAction(item) { var _this = this; typeof item.title === 'string' ? _this = _super.call(this, '', item.title, 'submenu') || this : _this = _super.call(this, '', item.title.value, 'submenu') || this; _this.item = item; return _this; } return SubmenuItemAction; }(__WEBPACK_IMPORTED_MODULE_0__base_common_actions_js__["a" /* Action */])); var MenuItemAction = /** @class */ (function (_super) { __extends(MenuItemAction, _super); function MenuItemAction(item, alt, options, contextKeyService, commandService) { var _this = this; typeof item.title === 'string' ? _this = _super.call(this, item.id, item.title, commandService) || this : _this = _super.call(this, item.id, item.title.value, commandService) || this; _this._cssClass = undefined; _this._enabled = !item.precondition || contextKeyService.contextMatchesRules(item.precondition); _this._checked = Boolean(item.toggled && contextKeyService.contextMatchesRules(item.toggled)); _this._options = options || {}; _this.item = item; _this.alt = alt ? new MenuItemAction(alt, undefined, _this._options, contextKeyService, commandService) : undefined; return _this; } MenuItemAction.prototype.run = function () { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } var runArgs = []; if (this._options.arg) { runArgs = runArgs.concat([this._options.arg]); } if (this._options.shouldForwardArgs) { runArgs = runArgs.concat(args); } return _super.prototype.run.apply(this, runArgs); }; MenuItemAction = __decorate([ __param(3, __WEBPACK_IMPORTED_MODULE_2__contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(4, __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__["b" /* ICommandService */]) ], MenuItemAction); return MenuItemAction; }(ExecuteCommandAction)); /***/ }), /***/ 1448: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ITelemetryService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ITelemetryService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('telemetryService'); /***/ }), /***/ 1449: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["b"] = standardMouseMoveMerger; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return GlobalMouseMoveMonitor; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__iframe_js__ = __webpack_require__(1680); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function standardMouseMoveMerger(lastEvent, currentEvent) { var ev = new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](currentEvent); ev.preventDefault(); return { leftButton: ev.leftButton, posx: ev.posx, posy: ev.posy }; } var GlobalMouseMoveMonitor = /** @class */ (function (_super) { __extends(GlobalMouseMoveMonitor, _super); function GlobalMouseMoveMonitor() { var _this = _super.call(this) || this; _this.hooks = []; _this.mouseMoveEventMerger = null; _this.mouseMoveCallback = null; _this.onStopCallback = null; return _this; } GlobalMouseMoveMonitor.prototype.dispose = function () { this.stopMonitoring(false); _super.prototype.dispose.call(this); }; GlobalMouseMoveMonitor.prototype.stopMonitoring = function (invokeStopCallback) { if (!this.isMonitoring()) { // Not monitoring return; } // Unhook this.hooks = Object(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["d" /* dispose */])(this.hooks); this.mouseMoveEventMerger = null; this.mouseMoveCallback = null; var onStopCallback = this.onStopCallback; this.onStopCallback = null; if (invokeStopCallback && onStopCallback) { onStopCallback(); } }; GlobalMouseMoveMonitor.prototype.isMonitoring = function () { return this.hooks.length > 0; }; GlobalMouseMoveMonitor.prototype.startMonitoring = function (mouseMoveEventMerger, mouseMoveCallback, onStopCallback) { var _this = this; if (this.isMonitoring()) { // I am already hooked return; } this.mouseMoveEventMerger = mouseMoveEventMerger; this.mouseMoveCallback = mouseMoveCallback; this.onStopCallback = onStopCallback; var windowChain = __WEBPACK_IMPORTED_MODULE_1__iframe_js__["a" /* IframeUtils */].getSameOriginWindowChain(); for (var _i = 0, windowChain_1 = windowChain; _i < windowChain_1.length; _i++) { var element = windowChain_1[_i]; this.hooks.push(__WEBPACK_IMPORTED_MODULE_0__dom_js__["i" /* addDisposableThrottledListener */](element.window.document, 'mousemove', function (data) { return _this.mouseMoveCallback(data); }, function (lastEvent, currentEvent) { return _this.mouseMoveEventMerger(lastEvent, currentEvent); })); this.hooks.push(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](element.window.document, 'mouseup', function (e) { return _this.stopMonitoring(true); })); } if (__WEBPACK_IMPORTED_MODULE_1__iframe_js__["a" /* IframeUtils */].hasDifferentOriginAncestor()) { var lastSameOriginAncestor = windowChain[windowChain.length - 1]; // We might miss a mouse up if it happens outside the iframe // This one is for Chrome this.hooks.push(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](lastSameOriginAncestor.window.document, 'mouseout', function (browserEvent) { var e = new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](browserEvent); if (e.target.tagName.toLowerCase() === 'html') { _this.stopMonitoring(true); } })); // This one is for FF this.hooks.push(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](lastSameOriginAncestor.window.document, 'mouseover', function (browserEvent) { var e = new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](browserEvent); if (e.target.tagName.toLowerCase() === 'html') { _this.stopMonitoring(true); } })); // This one is for IE this.hooks.push(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](lastSameOriginAncestor.window.document.body, 'mouseleave', function (browserEvent) { _this.stopMonitoring(true); })); } }; return GlobalMouseMoveMonitor; }(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1450: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export WordCharacterClassifier */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return getMapForWordSeparators; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_characterClassifier_js__ = __webpack_require__(1567); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var WordCharacterClassifier = /** @class */ (function (_super) { __extends(WordCharacterClassifier, _super); function WordCharacterClassifier(wordSeparators) { var _this = _super.call(this, 0 /* Regular */) || this; for (var i = 0, len = wordSeparators.length; i < len; i++) { _this.set(wordSeparators.charCodeAt(i), 2 /* WordSeparator */); } _this.set(32 /* Space */, 1 /* Whitespace */); _this.set(9 /* Tab */, 1 /* Whitespace */); return _this; } return WordCharacterClassifier; }(__WEBPACK_IMPORTED_MODULE_0__core_characterClassifier_js__["a" /* CharacterClassifier */])); function once(computeFn) { var cache = {}; // TODO@Alex unbounded cache return function (input) { if (!cache.hasOwnProperty(input)) { cache[input] = computeFn(input); } return cache[input]; }; } var getMapForWordSeparators = once(function (input) { return new WordCharacterClassifier(input); }); /***/ }), /***/ 1451: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export createTextBufferFactory */ /* unused harmony export createTextBuffer */ /* unused harmony export LONG_LINE_BOUNDARY */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return TextModel; }); /* unused harmony export ModelDecorationOverviewRulerOptions */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ModelDecorationOptions; }); /* unused harmony export DidChangeDecorationsEmitter */ /* unused harmony export DidChangeContentEmitter */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_stopwatch_js__ = __webpack_require__(1942); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__model_js__ = __webpack_require__(1325); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__editStack_js__ = __webpack_require__(1943); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__indentationGuesser_js__ = __webpack_require__(1944); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__intervalTree_js__ = __webpack_require__(1945); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__pieceTreeTextBuffer_pieceTreeTextBufferBuilder_js__ = __webpack_require__(1946); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__ = __webpack_require__(1949); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__ = __webpack_require__(1703); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__textModelTokens_js__ = __webpack_require__(1950); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__wordHelper_js__ = __webpack_require__(1440); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__ = __webpack_require__(1327); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__modes_nullMode_js__ = __webpack_require__(1326); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__modes_supports_js__ = __webpack_require__(1564); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__ = __webpack_require__(1565); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var CHEAP_TOKENIZATION_LENGTH_LIMIT = 2048; function createTextBufferBuilder() { return new __WEBPACK_IMPORTED_MODULE_14__pieceTreeTextBuffer_pieceTreeTextBufferBuilder_js__["a" /* PieceTreeTextBufferBuilder */](); } function createTextBufferFactory(text) { var builder = createTextBufferBuilder(); builder.acceptChunk(text); return builder.finish(); } function createTextBuffer(value, defaultEOL) { var factory = (typeof value === 'string' ? createTextBufferFactory(value) : value); return factory.create(defaultEOL); } var MODEL_ID = 0; /** * Produces 'a'-'z', followed by 'A'-'Z'... followed by 'a'-'z', etc. */ function singleLetter(result) { var LETTERS_CNT = (90 /* Z */ - 65 /* A */ + 1); result = result % (2 * LETTERS_CNT); if (result < LETTERS_CNT) { return String.fromCharCode(97 /* a */ + result); } return String.fromCharCode(65 /* A */ + result - LETTERS_CNT); } var LIMIT_FIND_COUNT = 999; var LONG_LINE_BOUNDARY = 10000; var invalidFunc = function () { throw new Error("Invalid change accessor"); }; var TextModel = /** @class */ (function (_super) { __extends(TextModel, _super); //#endregion function TextModel(source, creationOptions, languageIdentifier, associatedResource) { if (associatedResource === void 0) { associatedResource = null; } var _this = _super.call(this) || this; //#region Events _this._onWillDispose = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onWillDispose = _this._onWillDispose.event; _this._onDidChangeDecorations = _this._register(new DidChangeDecorationsEmitter()); _this.onDidChangeDecorations = _this._onDidChangeDecorations.event; _this._onDidChangeLanguage = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeLanguage = _this._onDidChangeLanguage.event; _this._onDidChangeLanguageConfiguration = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeLanguageConfiguration = _this._onDidChangeLanguageConfiguration.event; _this._onDidChangeTokens = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeTokens = _this._onDidChangeTokens.event; _this._onDidChangeOptions = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeOptions = _this._onDidChangeOptions.event; _this._eventEmitter = _this._register(new DidChangeContentEmitter()); // Generate a new unique model id MODEL_ID++; _this.id = '$model' + MODEL_ID; _this.isForSimpleWidget = creationOptions.isForSimpleWidget; if (typeof associatedResource === 'undefined' || associatedResource === null) { _this._associatedResource = __WEBPACK_IMPORTED_MODULE_5__base_common_uri_js__["a" /* URI */].parse('inmemory://model/' + MODEL_ID); } else { _this._associatedResource = associatedResource; } _this._attachedEditorCount = 0; _this._buffer = createTextBuffer(source, creationOptions.defaultEOL); _this._options = TextModel.resolveOptions(_this._buffer, creationOptions); var bufferLineCount = _this._buffer.getLineCount(); var bufferTextLength = _this._buffer.getValueLengthInRange(new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](1, 1, bufferLineCount, _this._buffer.getLineLength(bufferLineCount) + 1), 0 /* TextDefined */); // !!! Make a decision in the ctor and permanently respect this decision !!! // If a model is too large at construction time, it will never get tokenized, // under no circumstances. if (creationOptions.largeFileOptimizations) { _this._isTooLargeForTokenization = ((bufferTextLength > TextModel.LARGE_FILE_SIZE_THRESHOLD) || (bufferLineCount > TextModel.LARGE_FILE_LINE_COUNT_THRESHOLD)); } else { _this._isTooLargeForTokenization = false; } _this._isTooLargeForSyncing = (bufferTextLength > TextModel.MODEL_SYNC_LIMIT); _this._setVersionId(1); _this._isDisposed = false; _this._isDisposing = false; _this._languageIdentifier = languageIdentifier || __WEBPACK_IMPORTED_MODULE_21__modes_nullMode_js__["a" /* NULL_LANGUAGE_IDENTIFIER */]; _this._tokenizationListener = __WEBPACK_IMPORTED_MODULE_19__modes_js__["v" /* TokenizationRegistry */].onDidChange(function (e) { if (e.changedLanguages.indexOf(_this._languageIdentifier.language) === -1) { return; } _this._resetTokenizationState(); _this.emitModelTokensChangedEvent({ tokenizationSupportChanged: true, ranges: [{ fromLineNumber: 1, toLineNumber: _this.getLineCount() }] }); if (_this._shouldAutoTokenize()) { _this._warmUpTokens(); } }); _this._revalidateTokensTimeout = -1; _this._languageRegistryListener = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].onDidChange(function (e) { if (e.languageIdentifier.id === _this._languageIdentifier.id) { _this._onDidChangeLanguageConfiguration.fire({}); } }); _this._resetTokenizationState(); _this._instanceId = singleLetter(MODEL_ID); _this._lastDecorationId = 0; _this._decorations = Object.create(null); _this._decorationsTree = new DecorationsTrees(); _this._commandManager = new __WEBPACK_IMPORTED_MODULE_11__editStack_js__["a" /* EditStack */](_this); _this._isUndoing = false; _this._isRedoing = false; _this._trimAutoWhitespaceLines = null; return _this; } TextModel.createFromString = function (text, options, languageIdentifier, uri) { if (options === void 0) { options = TextModel.DEFAULT_CREATION_OPTIONS; } if (languageIdentifier === void 0) { languageIdentifier = null; } if (uri === void 0) { uri = null; } return new TextModel(text, options, languageIdentifier, uri); }; TextModel.resolveOptions = function (textBuffer, options) { if (options.detectIndentation) { var guessedIndentation = Object(__WEBPACK_IMPORTED_MODULE_12__indentationGuesser_js__["a" /* guessIndentation */])(textBuffer, options.tabSize, options.insertSpaces); return new __WEBPACK_IMPORTED_MODULE_10__model_js__["d" /* TextModelResolvedOptions */]({ tabSize: guessedIndentation.tabSize, indentSize: guessedIndentation.tabSize, insertSpaces: guessedIndentation.insertSpaces, trimAutoWhitespace: options.trimAutoWhitespace, defaultEOL: options.defaultEOL }); } return new __WEBPACK_IMPORTED_MODULE_10__model_js__["d" /* TextModelResolvedOptions */]({ tabSize: options.tabSize, indentSize: options.indentSize, insertSpaces: options.insertSpaces, trimAutoWhitespace: options.trimAutoWhitespace, defaultEOL: options.defaultEOL }); }; TextModel.prototype.onDidChangeRawContentFast = function (listener) { return this._eventEmitter.fastEvent(function (e) { return listener(e.rawContentChangedEvent); }); }; TextModel.prototype.onDidChangeRawContent = function (listener) { return this._eventEmitter.slowEvent(function (e) { return listener(e.rawContentChangedEvent); }); }; TextModel.prototype.onDidChangeContent = function (listener) { return this._eventEmitter.slowEvent(function (e) { return listener(e.contentChangedEvent); }); }; TextModel.prototype.dispose = function () { this._isDisposing = true; this._onWillDispose.fire(); this._tokenizationListener.dispose(); this._languageRegistryListener.dispose(); this._clearTimers(); this._isDisposed = true; // Null out members, such that any use of a disposed model will throw exceptions sooner rather than later _super.prototype.dispose.call(this); this._isDisposing = false; }; TextModel.prototype._assertNotDisposed = function () { if (this._isDisposed) { throw new Error('Model is disposed!'); } }; TextModel.prototype._emitContentChangedEvent = function (rawChange, change) { if (this._isDisposing) { // Do not confuse listeners by emitting any event after disposing return; } this._eventEmitter.fire(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["a" /* InternalModelContentChangeEvent */](rawChange, change)); }; TextModel.prototype.setValue = function (value) { this._assertNotDisposed(); if (value === null) { // There's nothing to do return; } var textBuffer = createTextBuffer(value, this._options.defaultEOL); this.setValueFromTextBuffer(textBuffer); }; TextModel.prototype._createContentChanged2 = function (range, rangeOffset, rangeLength, text, isUndoing, isRedoing, isFlush) { return { changes: [{ range: range, rangeOffset: rangeOffset, rangeLength: rangeLength, text: text, }], eol: this._buffer.getEOL(), versionId: this.getVersionId(), isUndoing: isUndoing, isRedoing: isRedoing, isFlush: isFlush }; }; TextModel.prototype.setValueFromTextBuffer = function (textBuffer) { this._assertNotDisposed(); if (textBuffer === null) { // There's nothing to do return; } var oldFullModelRange = this.getFullModelRange(); var oldModelValueLength = this.getValueLengthInRange(oldFullModelRange); var endLineNumber = this.getLineCount(); var endColumn = this.getLineMaxColumn(endLineNumber); this._buffer = textBuffer; this._increaseVersionId(); // Cancel tokenization, clear all tokens and begin tokenizing this._resetTokenizationState(); // Destroy all my decorations this._decorations = Object.create(null); this._decorationsTree = new DecorationsTrees(); // Destroy my edit history and settings this._commandManager = new __WEBPACK_IMPORTED_MODULE_11__editStack_js__["a" /* EditStack */](this); this._trimAutoWhitespaceLines = null; this._emitContentChangedEvent(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["b" /* ModelRawContentChangedEvent */]([ new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["d" /* ModelRawFlush */]() ], this._versionId, false, false), this._createContentChanged2(new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](1, 1, endLineNumber, endColumn), 0, oldModelValueLength, this.getValue(), false, false, true)); }; TextModel.prototype.setEOL = function (eol) { this._assertNotDisposed(); var newEOL = (eol === 1 /* CRLF */ ? '\r\n' : '\n'); if (this._buffer.getEOL() === newEOL) { // Nothing to do return; } var oldFullModelRange = this.getFullModelRange(); var oldModelValueLength = this.getValueLengthInRange(oldFullModelRange); var endLineNumber = this.getLineCount(); var endColumn = this.getLineMaxColumn(endLineNumber); this._onBeforeEOLChange(); this._buffer.setEOL(newEOL); this._increaseVersionId(); this._onAfterEOLChange(); this._emitContentChangedEvent(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["b" /* ModelRawContentChangedEvent */]([ new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["c" /* ModelRawEOLChanged */]() ], this._versionId, false, false), this._createContentChanged2(new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](1, 1, endLineNumber, endColumn), 0, oldModelValueLength, this.getValue(), false, false, false)); }; TextModel.prototype._onBeforeEOLChange = function () { // Ensure all decorations get their `range` set. var versionId = this.getVersionId(); var allDecorations = this._decorationsTree.search(0, false, false, versionId); this._ensureNodesHaveRanges(allDecorations); }; TextModel.prototype._onAfterEOLChange = function () { // Transform back `range` to offsets var versionId = this.getVersionId(); var allDecorations = this._decorationsTree.collectNodesPostOrder(); for (var i = 0, len = allDecorations.length; i < len; i++) { var node = allDecorations[i]; var delta = node.cachedAbsoluteStart - node.start; var startOffset = this._buffer.getOffsetAt(node.range.startLineNumber, node.range.startColumn); var endOffset = this._buffer.getOffsetAt(node.range.endLineNumber, node.range.endColumn); node.cachedAbsoluteStart = startOffset; node.cachedAbsoluteEnd = endOffset; node.cachedVersionId = versionId; node.start = startOffset - delta; node.end = endOffset - delta; Object(__WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["d" /* recomputeMaxEnd */])(node); } }; TextModel.prototype._resetTokenizationState = function () { this._clearTimers(); var tokenizationSupport = (this._isTooLargeForTokenization ? null : __WEBPACK_IMPORTED_MODULE_19__modes_js__["v" /* TokenizationRegistry */].get(this._languageIdentifier.language)); this._tokens = new __WEBPACK_IMPORTED_MODULE_17__textModelTokens_js__["a" /* ModelLinesTokens */](this._languageIdentifier, tokenizationSupport); this._beginBackgroundTokenization(); }; TextModel.prototype._clearTimers = function () { if (this._revalidateTokensTimeout !== -1) { clearTimeout(this._revalidateTokensTimeout); this._revalidateTokensTimeout = -1; } }; TextModel.prototype.onBeforeAttached = function () { this._attachedEditorCount++; // Warm up tokens for the editor this._warmUpTokens(); }; TextModel.prototype.onBeforeDetached = function () { this._attachedEditorCount--; }; TextModel.prototype._shouldAutoTokenize = function () { return this.isAttachedToEditor(); }; TextModel.prototype.isAttachedToEditor = function () { return this._attachedEditorCount > 0; }; TextModel.prototype.getAttachedEditorCount = function () { return this._attachedEditorCount; }; TextModel.prototype.isTooLargeForSyncing = function () { return this._isTooLargeForSyncing; }; TextModel.prototype.isTooLargeForTokenization = function () { return this._isTooLargeForTokenization; }; TextModel.prototype.isDisposed = function () { return this._isDisposed; }; TextModel.prototype.isDominatedByLongLines = function () { this._assertNotDisposed(); if (this.isTooLargeForTokenization()) { // Cannot word wrap huge files anyways, so it doesn't really matter return false; } var smallLineCharCount = 0; var longLineCharCount = 0; var lineCount = this._buffer.getLineCount(); for (var lineNumber = 1; lineNumber <= lineCount; lineNumber++) { var lineLength = this._buffer.getLineLength(lineNumber); if (lineLength >= LONG_LINE_BOUNDARY) { longLineCharCount += lineLength; } else { smallLineCharCount += lineLength; } } return (longLineCharCount > smallLineCharCount); }; Object.defineProperty(TextModel.prototype, "uri", { get: function () { return this._associatedResource; }, enumerable: true, configurable: true }); //#region Options TextModel.prototype.getOptions = function () { this._assertNotDisposed(); return this._options; }; TextModel.prototype.getFormattingOptions = function () { return { tabSize: this._options.indentSize, insertSpaces: this._options.insertSpaces }; }; TextModel.prototype.updateOptions = function (_newOpts) { this._assertNotDisposed(); var tabSize = (typeof _newOpts.tabSize !== 'undefined') ? _newOpts.tabSize : this._options.tabSize; var indentSize = (typeof _newOpts.indentSize !== 'undefined') ? _newOpts.indentSize : this._options.indentSize; var insertSpaces = (typeof _newOpts.insertSpaces !== 'undefined') ? _newOpts.insertSpaces : this._options.insertSpaces; var trimAutoWhitespace = (typeof _newOpts.trimAutoWhitespace !== 'undefined') ? _newOpts.trimAutoWhitespace : this._options.trimAutoWhitespace; var newOpts = new __WEBPACK_IMPORTED_MODULE_10__model_js__["d" /* TextModelResolvedOptions */]({ tabSize: tabSize, indentSize: indentSize, insertSpaces: insertSpaces, defaultEOL: this._options.defaultEOL, trimAutoWhitespace: trimAutoWhitespace }); if (this._options.equals(newOpts)) { return; } var e = this._options.createChangeEvent(newOpts); this._options = newOpts; this._onDidChangeOptions.fire(e); }; TextModel.prototype.detectIndentation = function (defaultInsertSpaces, defaultTabSize) { this._assertNotDisposed(); var guessedIndentation = Object(__WEBPACK_IMPORTED_MODULE_12__indentationGuesser_js__["a" /* guessIndentation */])(this._buffer, defaultTabSize, defaultInsertSpaces); this.updateOptions({ insertSpaces: guessedIndentation.insertSpaces, tabSize: guessedIndentation.tabSize, indentSize: guessedIndentation.tabSize, }); }; TextModel._normalizeIndentationFromWhitespace = function (str, indentSize, insertSpaces) { var spacesCnt = 0; for (var i = 0; i < str.length; i++) { if (str.charAt(i) === '\t') { spacesCnt += indentSize; } else { spacesCnt++; } } var result = ''; if (!insertSpaces) { var tabsCnt = Math.floor(spacesCnt / indentSize); spacesCnt = spacesCnt % indentSize; for (var i = 0; i < tabsCnt; i++) { result += '\t'; } } for (var i = 0; i < spacesCnt; i++) { result += ' '; } return result; }; TextModel.normalizeIndentation = function (str, indentSize, insertSpaces) { var firstNonWhitespaceIndex = __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](str); if (firstNonWhitespaceIndex === -1) { firstNonWhitespaceIndex = str.length; } return TextModel._normalizeIndentationFromWhitespace(str.substring(0, firstNonWhitespaceIndex), indentSize, insertSpaces) + str.substring(firstNonWhitespaceIndex); }; TextModel.prototype.normalizeIndentation = function (str) { this._assertNotDisposed(); return TextModel.normalizeIndentation(str, this._options.indentSize, this._options.insertSpaces); }; //#endregion //#region Reading TextModel.prototype.getVersionId = function () { this._assertNotDisposed(); return this._versionId; }; TextModel.prototype.mightContainRTL = function () { return this._buffer.mightContainRTL(); }; TextModel.prototype.mightContainNonBasicASCII = function () { return this._buffer.mightContainNonBasicASCII(); }; TextModel.prototype.getAlternativeVersionId = function () { this._assertNotDisposed(); return this._alternativeVersionId; }; TextModel.prototype.getOffsetAt = function (rawPosition) { this._assertNotDisposed(); var position = this._validatePosition(rawPosition.lineNumber, rawPosition.column, false); return this._buffer.getOffsetAt(position.lineNumber, position.column); }; TextModel.prototype.getPositionAt = function (rawOffset) { this._assertNotDisposed(); var offset = (Math.min(this._buffer.getLength(), Math.max(0, rawOffset))); return this._buffer.getPositionAt(offset); }; TextModel.prototype._increaseVersionId = function () { this._setVersionId(this._versionId + 1); }; TextModel.prototype._setVersionId = function (newVersionId) { this._versionId = newVersionId; this._alternativeVersionId = this._versionId; }; TextModel.prototype._overwriteAlternativeVersionId = function (newAlternativeVersionId) { this._alternativeVersionId = newAlternativeVersionId; }; TextModel.prototype.getValue = function (eol, preserveBOM) { if (preserveBOM === void 0) { preserveBOM = false; } this._assertNotDisposed(); var fullModelRange = this.getFullModelRange(); var fullModelValue = this.getValueInRange(fullModelRange, eol); if (preserveBOM) { return this._buffer.getBOM() + fullModelValue; } return fullModelValue; }; TextModel.prototype.getValueLength = function (eol, preserveBOM) { if (preserveBOM === void 0) { preserveBOM = false; } this._assertNotDisposed(); var fullModelRange = this.getFullModelRange(); var fullModelValue = this.getValueLengthInRange(fullModelRange, eol); if (preserveBOM) { return this._buffer.getBOM().length + fullModelValue; } return fullModelValue; }; TextModel.prototype.getValueInRange = function (rawRange, eol) { if (eol === void 0) { eol = 0 /* TextDefined */; } this._assertNotDisposed(); return this._buffer.getValueInRange(this.validateRange(rawRange), eol); }; TextModel.prototype.getValueLengthInRange = function (rawRange, eol) { if (eol === void 0) { eol = 0 /* TextDefined */; } this._assertNotDisposed(); return this._buffer.getValueLengthInRange(this.validateRange(rawRange), eol); }; TextModel.prototype.getLineCount = function () { this._assertNotDisposed(); return this._buffer.getLineCount(); }; TextModel.prototype.getLineContent = function (lineNumber) { this._assertNotDisposed(); if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } return this._buffer.getLineContent(lineNumber); }; TextModel.prototype.getLineLength = function (lineNumber) { this._assertNotDisposed(); if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } return this._buffer.getLineLength(lineNumber); }; TextModel.prototype.getLinesContent = function () { this._assertNotDisposed(); return this._buffer.getLinesContent(); }; TextModel.prototype.getEOL = function () { this._assertNotDisposed(); return this._buffer.getEOL(); }; TextModel.prototype.getLineMinColumn = function (lineNumber) { this._assertNotDisposed(); return 1; }; TextModel.prototype.getLineMaxColumn = function (lineNumber) { this._assertNotDisposed(); if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } return this._buffer.getLineLength(lineNumber) + 1; }; TextModel.prototype.getLineFirstNonWhitespaceColumn = function (lineNumber) { this._assertNotDisposed(); if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } return this._buffer.getLineFirstNonWhitespaceColumn(lineNumber); }; TextModel.prototype.getLineLastNonWhitespaceColumn = function (lineNumber) { this._assertNotDisposed(); if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } return this._buffer.getLineLastNonWhitespaceColumn(lineNumber); }; /** * Validates `range` is within buffer bounds, but allows it to sit in between surrogate pairs, etc. * Will try to not allocate if possible. */ TextModel.prototype._validateRangeRelaxedNoAllocations = function (range) { var linesCount = this._buffer.getLineCount(); var initialStartLineNumber = range.startLineNumber; var initialStartColumn = range.startColumn; var startLineNumber; var startColumn; if (initialStartLineNumber < 1) { startLineNumber = 1; startColumn = 1; } else if (initialStartLineNumber > linesCount) { startLineNumber = linesCount; startColumn = this.getLineMaxColumn(startLineNumber); } else { startLineNumber = initialStartLineNumber | 0; if (initialStartColumn <= 1) { startColumn = 1; } else { var maxColumn = this.getLineMaxColumn(startLineNumber); if (initialStartColumn >= maxColumn) { startColumn = maxColumn; } else { startColumn = initialStartColumn | 0; } } } var initialEndLineNumber = range.endLineNumber; var initialEndColumn = range.endColumn; var endLineNumber; var endColumn; if (initialEndLineNumber < 1) { endLineNumber = 1; endColumn = 1; } else if (initialEndLineNumber > linesCount) { endLineNumber = linesCount; endColumn = this.getLineMaxColumn(endLineNumber); } else { endLineNumber = initialEndLineNumber | 0; if (initialEndColumn <= 1) { endColumn = 1; } else { var maxColumn = this.getLineMaxColumn(endLineNumber); if (initialEndColumn >= maxColumn) { endColumn = maxColumn; } else { endColumn = initialEndColumn | 0; } } } if (initialStartLineNumber === startLineNumber && initialStartColumn === startColumn && initialEndLineNumber === endLineNumber && initialEndColumn === endColumn && range instanceof __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */] && !(range instanceof __WEBPACK_IMPORTED_MODULE_9__core_selection_js__["a" /* Selection */])) { return range; } return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn); }; /** * @param strict Do NOT allow a position inside a high-low surrogate pair */ TextModel.prototype._isValidPosition = function (lineNumber, column, strict) { if (isNaN(lineNumber)) { return false; } if (lineNumber < 1) { return false; } var lineCount = this._buffer.getLineCount(); if (lineNumber > lineCount) { return false; } if (isNaN(column)) { return false; } if (column < 1) { return false; } var maxColumn = this.getLineMaxColumn(lineNumber); if (column > maxColumn) { return false; } if (strict) { if (column > 1) { var charCodeBefore = this._buffer.getLineCharCode(lineNumber, column - 2); if (__WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBefore)) { return false; } } } return true; }; /** * @param strict Do NOT allow a position inside a high-low surrogate pair */ TextModel.prototype._validatePosition = function (_lineNumber, _column, strict) { var lineNumber = Math.floor((typeof _lineNumber === 'number' && !isNaN(_lineNumber)) ? _lineNumber : 1); var column = Math.floor((typeof _column === 'number' && !isNaN(_column)) ? _column : 1); var lineCount = this._buffer.getLineCount(); if (lineNumber < 1) { return new __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */](1, 1); } if (lineNumber > lineCount) { return new __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */](lineCount, this.getLineMaxColumn(lineCount)); } if (column <= 1) { return new __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */](lineNumber, 1); } var maxColumn = this.getLineMaxColumn(lineNumber); if (column >= maxColumn) { return new __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */](lineNumber, maxColumn); } if (strict) { // If the position would end up in the middle of a high-low surrogate pair, // we move it to before the pair // !!At this point, column > 1 var charCodeBefore = this._buffer.getLineCharCode(lineNumber, column - 2); if (__WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBefore)) { return new __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */](lineNumber, column - 1); } } return new __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */](lineNumber, column); }; TextModel.prototype.validatePosition = function (position) { this._assertNotDisposed(); // Avoid object allocation and cover most likely case if (position instanceof __WEBPACK_IMPORTED_MODULE_7__core_position_js__["a" /* Position */]) { if (this._isValidPosition(position.lineNumber, position.column, true)) { return position; } } return this._validatePosition(position.lineNumber, position.column, true); }; /** * @param strict Do NOT allow a range to have its boundaries inside a high-low surrogate pair */ TextModel.prototype._isValidRange = function (range, strict) { var startLineNumber = range.startLineNumber; var startColumn = range.startColumn; var endLineNumber = range.endLineNumber; var endColumn = range.endColumn; if (!this._isValidPosition(startLineNumber, startColumn, false)) { return false; } if (!this._isValidPosition(endLineNumber, endColumn, false)) { return false; } if (strict) { var charCodeBeforeStart = (startColumn > 1 ? this._buffer.getLineCharCode(startLineNumber, startColumn - 2) : 0); var charCodeBeforeEnd = (endColumn > 1 && endColumn <= this._buffer.getLineLength(endLineNumber) ? this._buffer.getLineCharCode(endLineNumber, endColumn - 2) : 0); var startInsideSurrogatePair = __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBeforeStart); var endInsideSurrogatePair = __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBeforeEnd); if (!startInsideSurrogatePair && !endInsideSurrogatePair) { return true; } return false; } return true; }; TextModel.prototype.validateRange = function (_range) { this._assertNotDisposed(); // Avoid object allocation and cover most likely case if ((_range instanceof __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */]) && !(_range instanceof __WEBPACK_IMPORTED_MODULE_9__core_selection_js__["a" /* Selection */])) { if (this._isValidRange(_range, true)) { return _range; } } var start = this._validatePosition(_range.startLineNumber, _range.startColumn, false); var end = this._validatePosition(_range.endLineNumber, _range.endColumn, false); var startLineNumber = start.lineNumber; var startColumn = start.column; var endLineNumber = end.lineNumber; var endColumn = end.column; var charCodeBeforeStart = (startColumn > 1 ? this._buffer.getLineCharCode(startLineNumber, startColumn - 2) : 0); var charCodeBeforeEnd = (endColumn > 1 && endColumn <= this._buffer.getLineLength(endLineNumber) ? this._buffer.getLineCharCode(endLineNumber, endColumn - 2) : 0); var startInsideSurrogatePair = __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBeforeStart); var endInsideSurrogatePair = __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBeforeEnd); if (!startInsideSurrogatePair && !endInsideSurrogatePair) { return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn); } if (startLineNumber === endLineNumber && startColumn === endColumn) { // do not expand a collapsed range, simply move it to a valid location return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, startColumn - 1, endLineNumber, endColumn - 1); } if (startInsideSurrogatePair && endInsideSurrogatePair) { // expand range at both ends return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, startColumn - 1, endLineNumber, endColumn + 1); } if (startInsideSurrogatePair) { // only expand range at the start return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, startColumn - 1, endLineNumber, endColumn); } // only expand range at the end return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn + 1); }; TextModel.prototype.modifyPosition = function (rawPosition, offset) { this._assertNotDisposed(); var candidate = this.getOffsetAt(rawPosition) + offset; return this.getPositionAt(Math.min(this._buffer.getLength(), Math.max(0, candidate))); }; TextModel.prototype.getFullModelRange = function () { this._assertNotDisposed(); var lineCount = this.getLineCount(); return new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](1, 1, lineCount, this.getLineMaxColumn(lineCount)); }; TextModel.prototype.findMatchesLineByLine = function (searchRange, searchData, captureMatches, limitResultCount) { return this._buffer.findMatchesLineByLine(searchRange, searchData, captureMatches, limitResultCount); }; TextModel.prototype.findMatches = function (searchString, rawSearchScope, isRegex, matchCase, wordSeparators, captureMatches, limitResultCount) { if (limitResultCount === void 0) { limitResultCount = LIMIT_FIND_COUNT; } this._assertNotDisposed(); var searchRange; if (__WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */].isIRange(rawSearchScope)) { searchRange = this.validateRange(rawSearchScope); } else { searchRange = this.getFullModelRange(); } if (!isRegex && searchString.indexOf('\n') < 0) { // not regex, not multi line var searchParams = new __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["a" /* SearchParams */](searchString, isRegex, matchCase, wordSeparators); var searchData = searchParams.parseSearchRequest(); if (!searchData) { return []; } return this.findMatchesLineByLine(searchRange, searchData, captureMatches, limitResultCount); } return __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["c" /* TextModelSearch */].findMatches(this, new __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["a" /* SearchParams */](searchString, isRegex, matchCase, wordSeparators), searchRange, captureMatches, limitResultCount); }; TextModel.prototype.findNextMatch = function (searchString, rawSearchStart, isRegex, matchCase, wordSeparators, captureMatches) { this._assertNotDisposed(); var searchStart = this.validatePosition(rawSearchStart); if (!isRegex && searchString.indexOf('\n') < 0) { var searchParams = new __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["a" /* SearchParams */](searchString, isRegex, matchCase, wordSeparators); var searchData = searchParams.parseSearchRequest(); if (!searchData) { return null; } var lineCount = this.getLineCount(); var searchRange = new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](searchStart.lineNumber, searchStart.column, lineCount, this.getLineMaxColumn(lineCount)); var ret = this.findMatchesLineByLine(searchRange, searchData, captureMatches, 1); __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["c" /* TextModelSearch */].findNextMatch(this, new __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["a" /* SearchParams */](searchString, isRegex, matchCase, wordSeparators), searchStart, captureMatches); if (ret.length > 0) { return ret[0]; } searchRange = new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](1, 1, searchStart.lineNumber, this.getLineMaxColumn(searchStart.lineNumber)); ret = this.findMatchesLineByLine(searchRange, searchData, captureMatches, 1); if (ret.length > 0) { return ret[0]; } return null; } return __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["c" /* TextModelSearch */].findNextMatch(this, new __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["a" /* SearchParams */](searchString, isRegex, matchCase, wordSeparators), searchStart, captureMatches); }; TextModel.prototype.findPreviousMatch = function (searchString, rawSearchStart, isRegex, matchCase, wordSeparators, captureMatches) { this._assertNotDisposed(); var searchStart = this.validatePosition(rawSearchStart); return __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["c" /* TextModelSearch */].findPreviousMatch(this, new __WEBPACK_IMPORTED_MODULE_16__textModelSearch_js__["a" /* SearchParams */](searchString, isRegex, matchCase, wordSeparators), searchStart, captureMatches); }; //#endregion //#region Editing TextModel.prototype.pushStackElement = function () { this._commandManager.pushStackElement(); }; TextModel.prototype.pushEOL = function (eol) { var currentEOL = (this.getEOL() === '\n' ? 0 /* LF */ : 1 /* CRLF */); if (currentEOL === eol) { return; } try { this._onDidChangeDecorations.beginDeferredEmit(); this._eventEmitter.beginDeferredEmit(); this._commandManager.pushEOL(eol); } finally { this._eventEmitter.endDeferredEmit(); this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel.prototype.pushEditOperations = function (beforeCursorState, editOperations, cursorStateComputer) { try { this._onDidChangeDecorations.beginDeferredEmit(); this._eventEmitter.beginDeferredEmit(); return this._pushEditOperations(beforeCursorState, editOperations, cursorStateComputer); } finally { this._eventEmitter.endDeferredEmit(); this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel.prototype._pushEditOperations = function (beforeCursorState, editOperations, cursorStateComputer) { var _this = this; if (this._options.trimAutoWhitespace && this._trimAutoWhitespaceLines) { // Go through each saved line number and insert a trim whitespace edit // if it is safe to do so (no conflicts with other edits). var incomingEdits = editOperations.map(function (op) { return { range: _this.validateRange(op.range), text: op.text }; }); // Sometimes, auto-formatters change ranges automatically which can cause undesired auto whitespace trimming near the cursor // We'll use the following heuristic: if the edits occur near the cursor, then it's ok to trim auto whitespace var editsAreNearCursors = true; for (var i = 0, len = beforeCursorState.length; i < len; i++) { var sel = beforeCursorState[i]; var foundEditNearSel = false; for (var j = 0, lenJ = incomingEdits.length; j < lenJ; j++) { var editRange = incomingEdits[j].range; var selIsAbove = editRange.startLineNumber > sel.endLineNumber; var selIsBelow = sel.startLineNumber > editRange.endLineNumber; if (!selIsAbove && !selIsBelow) { foundEditNearSel = true; break; } } if (!foundEditNearSel) { editsAreNearCursors = false; break; } } if (editsAreNearCursors) { for (var i = 0, len = this._trimAutoWhitespaceLines.length; i < len; i++) { var trimLineNumber = this._trimAutoWhitespaceLines[i]; var maxLineColumn = this.getLineMaxColumn(trimLineNumber); var allowTrimLine = true; for (var j = 0, lenJ = incomingEdits.length; j < lenJ; j++) { var editRange = incomingEdits[j].range; var editText = incomingEdits[j].text; if (trimLineNumber < editRange.startLineNumber || trimLineNumber > editRange.endLineNumber) { // `trimLine` is completely outside this edit continue; } // At this point: // editRange.startLineNumber <= trimLine <= editRange.endLineNumber if (trimLineNumber === editRange.startLineNumber && editRange.startColumn === maxLineColumn && editRange.isEmpty() && editText && editText.length > 0 && editText.charAt(0) === '\n') { // This edit inserts a new line (and maybe other text) after `trimLine` continue; } if (trimLineNumber === editRange.startLineNumber && editRange.startColumn === 1 && editRange.isEmpty() && editText && editText.length > 0 && editText.charAt(editText.length - 1) === '\n') { // This edit inserts a new line (and maybe other text) before `trimLine` continue; } // Looks like we can't trim this line as it would interfere with an incoming edit allowTrimLine = false; break; } if (allowTrimLine) { editOperations.push({ range: new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](trimLineNumber, 1, trimLineNumber, maxLineColumn), text: null }); } } } this._trimAutoWhitespaceLines = null; } return this._commandManager.pushEditOperation(beforeCursorState, editOperations, cursorStateComputer); }; TextModel.prototype.applyEdits = function (rawOperations) { try { this._onDidChangeDecorations.beginDeferredEmit(); this._eventEmitter.beginDeferredEmit(); return this._applyEdits(rawOperations); } finally { this._eventEmitter.endDeferredEmit(); this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel._eolCount = function (text) { var eolCount = 0; var firstLineLength = 0; for (var i = 0, len = text.length; i < len; i++) { var chr = text.charCodeAt(i); if (chr === 13 /* CarriageReturn */) { if (eolCount === 0) { firstLineLength = i; } eolCount++; if (i + 1 < len && text.charCodeAt(i + 1) === 10 /* LineFeed */) { // \r\n... case i++; // skip \n } else { // \r... case } } else if (chr === 10 /* LineFeed */) { if (eolCount === 0) { firstLineLength = i; } eolCount++; } } if (eolCount === 0) { firstLineLength = text.length; } return [eolCount, firstLineLength]; }; TextModel.prototype._applyEdits = function (rawOperations) { for (var i = 0, len = rawOperations.length; i < len; i++) { rawOperations[i].range = this.validateRange(rawOperations[i].range); } var oldLineCount = this._buffer.getLineCount(); var result = this._buffer.applyEdits(rawOperations, this._options.trimAutoWhitespace); var newLineCount = this._buffer.getLineCount(); var contentChanges = result.changes; this._trimAutoWhitespaceLines = result.trimAutoWhitespaceLineNumbers; if (contentChanges.length !== 0) { var rawContentChanges = []; var lineCount = oldLineCount; for (var i = 0, len = contentChanges.length; i < len; i++) { var change = contentChanges[i]; var _a = TextModel._eolCount(change.text), eolCount = _a[0], firstLineLength = _a[1]; try { this._tokens.applyEdits(change.range, eolCount, firstLineLength); } catch (err) { // emergency recovery => reset tokens this._tokens = new __WEBPACK_IMPORTED_MODULE_17__textModelTokens_js__["a" /* ModelLinesTokens */](this._tokens.languageIdentifier, this._tokens.tokenizationSupport); } this._onDidChangeDecorations.fire(); this._decorationsTree.acceptReplace(change.rangeOffset, change.rangeLength, change.text.length, change.forceMoveMarkers); var startLineNumber = change.range.startLineNumber; var endLineNumber = change.range.endLineNumber; var deletingLinesCnt = endLineNumber - startLineNumber; var insertingLinesCnt = eolCount; var editingLinesCnt = Math.min(deletingLinesCnt, insertingLinesCnt); var changeLineCountDelta = (insertingLinesCnt - deletingLinesCnt); for (var j = editingLinesCnt; j >= 0; j--) { var editLineNumber = startLineNumber + j; var currentEditLineNumber = newLineCount - lineCount - changeLineCountDelta + editLineNumber; rawContentChanges.push(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["e" /* ModelRawLineChanged */](editLineNumber, this.getLineContent(currentEditLineNumber))); } if (editingLinesCnt < deletingLinesCnt) { // Must delete some lines var spliceStartLineNumber = startLineNumber + editingLinesCnt; rawContentChanges.push(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["f" /* ModelRawLinesDeleted */](spliceStartLineNumber + 1, endLineNumber)); } if (editingLinesCnt < insertingLinesCnt) { // Must insert some lines var spliceLineNumber = startLineNumber + editingLinesCnt; var cnt = insertingLinesCnt - editingLinesCnt; var fromLineNumber = newLineCount - lineCount - cnt + spliceLineNumber + 1; var newLines = []; for (var i_1 = 0; i_1 < cnt; i_1++) { var lineNumber = fromLineNumber + i_1; newLines[lineNumber - fromLineNumber] = this.getLineContent(lineNumber); } rawContentChanges.push(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["g" /* ModelRawLinesInserted */](spliceLineNumber + 1, startLineNumber + insertingLinesCnt, newLines)); } lineCount += changeLineCountDelta; } this._increaseVersionId(); this._emitContentChangedEvent(new __WEBPACK_IMPORTED_MODULE_15__textModelEvents_js__["b" /* ModelRawContentChangedEvent */](rawContentChanges, this.getVersionId(), this._isUndoing, this._isRedoing), { changes: contentChanges, eol: this._buffer.getEOL(), versionId: this.getVersionId(), isUndoing: this._isUndoing, isRedoing: this._isRedoing, isFlush: false }); } if (this._tokens.hasLinesToTokenize(this._buffer)) { this._beginBackgroundTokenization(); } return result.reverseEdits; }; TextModel.prototype._undo = function () { this._isUndoing = true; var r = this._commandManager.undo(); this._isUndoing = false; if (!r) { return null; } this._overwriteAlternativeVersionId(r.recordedVersionId); return r.selections; }; TextModel.prototype.undo = function () { try { this._onDidChangeDecorations.beginDeferredEmit(); this._eventEmitter.beginDeferredEmit(); return this._undo(); } finally { this._eventEmitter.endDeferredEmit(); this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel.prototype.canUndo = function () { return this._commandManager.canUndo(); }; TextModel.prototype._redo = function () { this._isRedoing = true; var r = this._commandManager.redo(); this._isRedoing = false; if (!r) { return null; } this._overwriteAlternativeVersionId(r.recordedVersionId); return r.selections; }; TextModel.prototype.redo = function () { try { this._onDidChangeDecorations.beginDeferredEmit(); this._eventEmitter.beginDeferredEmit(); return this._redo(); } finally { this._eventEmitter.endDeferredEmit(); this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel.prototype.canRedo = function () { return this._commandManager.canRedo(); }; //#endregion //#region Decorations TextModel.prototype.changeDecorations = function (callback, ownerId) { if (ownerId === void 0) { ownerId = 0; } this._assertNotDisposed(); try { this._onDidChangeDecorations.beginDeferredEmit(); return this._changeDecorations(ownerId, callback); } finally { this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel.prototype._changeDecorations = function (ownerId, callback) { var _this = this; var changeAccessor = { addDecoration: function (range, options) { _this._onDidChangeDecorations.fire(); return _this._deltaDecorationsImpl(ownerId, [], [{ range: range, options: options }])[0]; }, changeDecoration: function (id, newRange) { _this._onDidChangeDecorations.fire(); _this._changeDecorationImpl(id, newRange); }, changeDecorationOptions: function (id, options) { _this._onDidChangeDecorations.fire(); _this._changeDecorationOptionsImpl(id, _normalizeOptions(options)); }, removeDecoration: function (id) { _this._onDidChangeDecorations.fire(); _this._deltaDecorationsImpl(ownerId, [id], []); }, deltaDecorations: function (oldDecorations, newDecorations) { if (oldDecorations.length === 0 && newDecorations.length === 0) { // nothing to do return []; } _this._onDidChangeDecorations.fire(); return _this._deltaDecorationsImpl(ownerId, oldDecorations, newDecorations); } }; var result = null; try { result = callback(changeAccessor); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); } // Invalidate change accessor changeAccessor.addDecoration = invalidFunc; changeAccessor.changeDecoration = invalidFunc; changeAccessor.changeDecorationOptions = invalidFunc; changeAccessor.removeDecoration = invalidFunc; changeAccessor.deltaDecorations = invalidFunc; return result; }; TextModel.prototype.deltaDecorations = function (oldDecorations, newDecorations, ownerId) { if (ownerId === void 0) { ownerId = 0; } this._assertNotDisposed(); if (!oldDecorations) { oldDecorations = []; } if (oldDecorations.length === 0 && newDecorations.length === 0) { // nothing to do return []; } try { this._onDidChangeDecorations.beginDeferredEmit(); this._onDidChangeDecorations.fire(); return this._deltaDecorationsImpl(ownerId, oldDecorations, newDecorations); } finally { this._onDidChangeDecorations.endDeferredEmit(); } }; TextModel.prototype._getTrackedRange = function (id) { return this.getDecorationRange(id); }; TextModel.prototype._setTrackedRange = function (id, newRange, newStickiness) { var node = (id ? this._decorations[id] : null); if (!node) { if (!newRange) { // node doesn't exist, the request is to delete => nothing to do return null; } // node doesn't exist, the request is to set => add the tracked range return this._deltaDecorationsImpl(0, [], [{ range: newRange, options: TRACKED_RANGE_OPTIONS[newStickiness] }])[0]; } if (!newRange) { // node exists, the request is to delete => delete node this._decorationsTree.delete(node); delete this._decorations[node.id]; return null; } // node exists, the request is to set => change the tracked range and its options var range = this._validateRangeRelaxedNoAllocations(newRange); var startOffset = this._buffer.getOffsetAt(range.startLineNumber, range.startColumn); var endOffset = this._buffer.getOffsetAt(range.endLineNumber, range.endColumn); this._decorationsTree.delete(node); node.reset(this.getVersionId(), startOffset, endOffset, range); node.setOptions(TRACKED_RANGE_OPTIONS[newStickiness]); this._decorationsTree.insert(node); return node.id; }; TextModel.prototype.removeAllDecorationsWithOwnerId = function (ownerId) { if (this._isDisposed) { return; } var nodes = this._decorationsTree.collectNodesFromOwner(ownerId); for (var i = 0, len = nodes.length; i < len; i++) { var node = nodes[i]; this._decorationsTree.delete(node); delete this._decorations[node.id]; } }; TextModel.prototype.getDecorationOptions = function (decorationId) { var node = this._decorations[decorationId]; if (!node) { return null; } return node.options; }; TextModel.prototype.getDecorationRange = function (decorationId) { var node = this._decorations[decorationId]; if (!node) { return null; } var versionId = this.getVersionId(); if (node.cachedVersionId !== versionId) { this._decorationsTree.resolveNode(node, versionId); } if (node.range === null) { node.range = this._getRangeAt(node.cachedAbsoluteStart, node.cachedAbsoluteEnd); } return node.range; }; TextModel.prototype.getLineDecorations = function (lineNumber, ownerId, filterOutValidation) { if (ownerId === void 0) { ownerId = 0; } if (filterOutValidation === void 0) { filterOutValidation = false; } if (lineNumber < 1 || lineNumber > this.getLineCount()) { return []; } return this.getLinesDecorations(lineNumber, lineNumber, ownerId, filterOutValidation); }; TextModel.prototype.getLinesDecorations = function (_startLineNumber, _endLineNumber, ownerId, filterOutValidation) { if (ownerId === void 0) { ownerId = 0; } if (filterOutValidation === void 0) { filterOutValidation = false; } var lineCount = this.getLineCount(); var startLineNumber = Math.min(lineCount, Math.max(1, _startLineNumber)); var endLineNumber = Math.min(lineCount, Math.max(1, _endLineNumber)); var endColumn = this.getLineMaxColumn(endLineNumber); return this._getDecorationsInRange(new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](startLineNumber, 1, endLineNumber, endColumn), ownerId, filterOutValidation); }; TextModel.prototype.getDecorationsInRange = function (range, ownerId, filterOutValidation) { if (ownerId === void 0) { ownerId = 0; } if (filterOutValidation === void 0) { filterOutValidation = false; } var validatedRange = this.validateRange(range); return this._getDecorationsInRange(validatedRange, ownerId, filterOutValidation); }; TextModel.prototype.getOverviewRulerDecorations = function (ownerId, filterOutValidation) { if (ownerId === void 0) { ownerId = 0; } if (filterOutValidation === void 0) { filterOutValidation = false; } var versionId = this.getVersionId(); var result = this._decorationsTree.search(ownerId, filterOutValidation, true, versionId); return this._ensureNodesHaveRanges(result); }; TextModel.prototype.getAllDecorations = function (ownerId, filterOutValidation) { if (ownerId === void 0) { ownerId = 0; } if (filterOutValidation === void 0) { filterOutValidation = false; } var versionId = this.getVersionId(); var result = this._decorationsTree.search(ownerId, filterOutValidation, false, versionId); return this._ensureNodesHaveRanges(result); }; TextModel.prototype._getDecorationsInRange = function (filterRange, filterOwnerId, filterOutValidation) { var startOffset = this._buffer.getOffsetAt(filterRange.startLineNumber, filterRange.startColumn); var endOffset = this._buffer.getOffsetAt(filterRange.endLineNumber, filterRange.endColumn); var versionId = this.getVersionId(); var result = this._decorationsTree.intervalSearch(startOffset, endOffset, filterOwnerId, filterOutValidation, versionId); return this._ensureNodesHaveRanges(result); }; TextModel.prototype._ensureNodesHaveRanges = function (nodes) { for (var i = 0, len = nodes.length; i < len; i++) { var node = nodes[i]; if (node.range === null) { node.range = this._getRangeAt(node.cachedAbsoluteStart, node.cachedAbsoluteEnd); } } return nodes; }; TextModel.prototype._getRangeAt = function (start, end) { return this._buffer.getRangeAt(start, end - start); }; TextModel.prototype._changeDecorationImpl = function (decorationId, _range) { var node = this._decorations[decorationId]; if (!node) { return; } var range = this._validateRangeRelaxedNoAllocations(_range); var startOffset = this._buffer.getOffsetAt(range.startLineNumber, range.startColumn); var endOffset = this._buffer.getOffsetAt(range.endLineNumber, range.endColumn); this._decorationsTree.delete(node); node.reset(this.getVersionId(), startOffset, endOffset, range); this._decorationsTree.insert(node); }; TextModel.prototype._changeDecorationOptionsImpl = function (decorationId, options) { var node = this._decorations[decorationId]; if (!node) { return; } var nodeWasInOverviewRuler = (node.options.overviewRuler && node.options.overviewRuler.color ? true : false); var nodeIsInOverviewRuler = (options.overviewRuler && options.overviewRuler.color ? true : false); if (nodeWasInOverviewRuler !== nodeIsInOverviewRuler) { // Delete + Insert due to an overview ruler status change this._decorationsTree.delete(node); node.setOptions(options); this._decorationsTree.insert(node); } else { node.setOptions(options); } }; TextModel.prototype._deltaDecorationsImpl = function (ownerId, oldDecorationsIds, newDecorations) { var versionId = this.getVersionId(); var oldDecorationsLen = oldDecorationsIds.length; var oldDecorationIndex = 0; var newDecorationsLen = newDecorations.length; var newDecorationIndex = 0; var result = new Array(newDecorationsLen); while (oldDecorationIndex < oldDecorationsLen || newDecorationIndex < newDecorationsLen) { var node = null; if (oldDecorationIndex < oldDecorationsLen) { // (1) get ourselves an old node do { node = this._decorations[oldDecorationsIds[oldDecorationIndex++]]; } while (!node && oldDecorationIndex < oldDecorationsLen); // (2) remove the node from the tree (if it exists) if (node) { this._decorationsTree.delete(node); } } if (newDecorationIndex < newDecorationsLen) { // (3) create a new node if necessary if (!node) { var internalDecorationId = (++this._lastDecorationId); var decorationId = this._instanceId + ";" + internalDecorationId; node = new __WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["a" /* IntervalNode */](decorationId, 0, 0); this._decorations[decorationId] = node; } // (4) initialize node var newDecoration = newDecorations[newDecorationIndex]; var range = this._validateRangeRelaxedNoAllocations(newDecoration.range); var options = _normalizeOptions(newDecoration.options); var startOffset = this._buffer.getOffsetAt(range.startLineNumber, range.startColumn); var endOffset = this._buffer.getOffsetAt(range.endLineNumber, range.endColumn); node.ownerId = ownerId; node.reset(versionId, startOffset, endOffset, range); node.setOptions(options); this._decorationsTree.insert(node); result[newDecorationIndex] = node.id; newDecorationIndex++; } else { if (node) { delete this._decorations[node.id]; } } } return result; }; //#endregion //#region Tokenization TextModel.prototype.tokenizeViewport = function (startLineNumber, endLineNumber) { if (!this._tokens.tokenizationSupport) { // nothing to do return; } startLineNumber = Math.max(1, startLineNumber); endLineNumber = Math.min(this.getLineCount(), endLineNumber); if (endLineNumber <= this._tokens.inValidLineStartIndex) { // nothing to do return; } if (startLineNumber <= this._tokens.inValidLineStartIndex) { // tokenization has reached the viewport start... this.forceTokenization(endLineNumber); return; } var nonWhitespaceColumn = this.getLineFirstNonWhitespaceColumn(startLineNumber); var fakeLines = []; var initialState = null; for (var i = startLineNumber - 1; nonWhitespaceColumn > 0 && i >= 1; i--) { var newNonWhitespaceIndex = this.getLineFirstNonWhitespaceColumn(i); if (newNonWhitespaceIndex === 0) { continue; } if (newNonWhitespaceIndex < nonWhitespaceColumn) { initialState = this._tokens._getState(i - 1); if (initialState) { break; } fakeLines.push(this.getLineContent(i)); nonWhitespaceColumn = newNonWhitespaceIndex; } } if (!initialState) { initialState = this._tokens.tokenizationSupport.getInitialState(); } var state = initialState.clone(); for (var i = fakeLines.length - 1; i >= 0; i--) { var r = this._tokens._tokenizeText(this._buffer, fakeLines[i], state); if (r) { state = r.endState.clone(); } else { state = initialState.clone(); } } var eventBuilder = new __WEBPACK_IMPORTED_MODULE_17__textModelTokens_js__["b" /* ModelTokensChangedEventBuilder */](); for (var i = startLineNumber; i <= endLineNumber; i++) { var text = this.getLineContent(i); var r = this._tokens._tokenizeText(this._buffer, text, state); if (r) { this._tokens._setTokens(this._tokens.languageIdentifier.id, i - 1, text.length, r.tokens); // We cannot trust these states/tokens to be valid! // (see https://github.com/Microsoft/vscode/issues/67607) this._tokens._setIsInvalid(i - 1, true); this._tokens._setState(i - 1, state); state = r.endState.clone(); eventBuilder.registerChangedTokens(i); } else { state = initialState.clone(); } } var e = eventBuilder.build(); if (e) { this._onDidChangeTokens.fire(e); } }; TextModel.prototype.flushTokens = function () { this._resetTokenizationState(); this.emitModelTokensChangedEvent({ tokenizationSupportChanged: false, ranges: [{ fromLineNumber: 1, toLineNumber: this.getLineCount() }] }); }; TextModel.prototype.forceTokenization = function (lineNumber) { if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } var eventBuilder = new __WEBPACK_IMPORTED_MODULE_17__textModelTokens_js__["b" /* ModelTokensChangedEventBuilder */](); this._tokens._updateTokensUntilLine(this._buffer, eventBuilder, lineNumber); var e = eventBuilder.build(); if (e) { this._onDidChangeTokens.fire(e); } }; TextModel.prototype.isCheapToTokenize = function (lineNumber) { if (!this._tokens.isCheapToTokenize(lineNumber)) { return false; } if (lineNumber < this._tokens.inValidLineStartIndex + 1) { return true; } if (this.getLineLength(lineNumber) < CHEAP_TOKENIZATION_LENGTH_LIMIT) { return true; } return false; }; TextModel.prototype.tokenizeIfCheap = function (lineNumber) { if (this.isCheapToTokenize(lineNumber)) { this.forceTokenization(lineNumber); } }; TextModel.prototype.getLineTokens = function (lineNumber) { if (lineNumber < 1 || lineNumber > this.getLineCount()) { throw new Error('Illegal value for lineNumber'); } return this._getLineTokens(lineNumber); }; TextModel.prototype._getLineTokens = function (lineNumber) { var lineText = this._buffer.getLineContent(lineNumber); return this._tokens.getTokens(this._languageIdentifier.id, lineNumber - 1, lineText); }; TextModel.prototype.getLanguageIdentifier = function () { return this._languageIdentifier; }; TextModel.prototype.getModeId = function () { return this._languageIdentifier.language; }; TextModel.prototype.setMode = function (languageIdentifier) { if (this._languageIdentifier.id === languageIdentifier.id) { // There's nothing to do return; } var e = { oldLanguage: this._languageIdentifier.language, newLanguage: languageIdentifier.language }; this._languageIdentifier = languageIdentifier; // Cancel tokenization, clear all tokens and begin tokenizing this._resetTokenizationState(); this.emitModelTokensChangedEvent({ tokenizationSupportChanged: true, ranges: [{ fromLineNumber: 1, toLineNumber: this.getLineCount() }] }); this._onDidChangeLanguage.fire(e); this._onDidChangeLanguageConfiguration.fire({}); }; TextModel.prototype.getLanguageIdAtPosition = function (_lineNumber, _column) { if (!this._tokens.tokenizationSupport) { return this._languageIdentifier.id; } var _a = this.validatePosition({ lineNumber: _lineNumber, column: _column }), lineNumber = _a.lineNumber, column = _a.column; var lineTokens = this._getLineTokens(lineNumber); return lineTokens.getLanguageId(lineTokens.findTokenIndexAtOffset(column - 1)); }; TextModel.prototype._beginBackgroundTokenization = function () { var _this = this; if (this._shouldAutoTokenize() && this._revalidateTokensTimeout === -1) { this._revalidateTokensTimeout = setTimeout(function () { _this._revalidateTokensTimeout = -1; _this._revalidateTokensNow(); }, 0); } }; TextModel.prototype._warmUpTokens = function () { // Warm up first 100 lines (if it takes less than 50ms) var maxLineNumber = Math.min(100, this.getLineCount()); this._revalidateTokensNow(maxLineNumber); if (this._tokens.hasLinesToTokenize(this._buffer)) { this._beginBackgroundTokenization(); } }; TextModel.prototype._revalidateTokensNow = function (toLineNumber) { if (toLineNumber === void 0) { toLineNumber = this._buffer.getLineCount(); } var MAX_ALLOWED_TIME = 20; var eventBuilder = new __WEBPACK_IMPORTED_MODULE_17__textModelTokens_js__["b" /* ModelTokensChangedEventBuilder */](); var sw = __WEBPACK_IMPORTED_MODULE_3__base_common_stopwatch_js__["a" /* StopWatch */].create(false); while (this._tokens.hasLinesToTokenize(this._buffer)) { if (sw.elapsed() > MAX_ALLOWED_TIME) { // Stop if MAX_ALLOWED_TIME is reached break; } var tokenizedLineNumber = this._tokens._tokenizeOneLine(this._buffer, eventBuilder); if (tokenizedLineNumber >= toLineNumber) { break; } } if (this._tokens.hasLinesToTokenize(this._buffer)) { this._beginBackgroundTokenization(); } var e = eventBuilder.build(); if (e) { this._onDidChangeTokens.fire(e); } }; TextModel.prototype.emitModelTokensChangedEvent = function (e) { if (!this._isDisposing) { this._onDidChangeTokens.fire(e); } }; // Having tokens allows implementing additional helper methods TextModel.prototype.getWordAtPosition = function (_position) { this._assertNotDisposed(); var position = this.validatePosition(_position); var lineContent = this.getLineContent(position.lineNumber); var lineTokens = this._getLineTokens(position.lineNumber); var tokenIndex = lineTokens.findTokenIndexAtOffset(position.column - 1); // (1). First try checking right biased word var _a = TextModel._findLanguageBoundaries(lineTokens, tokenIndex), rbStartOffset = _a[0], rbEndOffset = _a[1]; var rightBiasedWord = Object(__WEBPACK_IMPORTED_MODULE_18__wordHelper_js__["d" /* getWordAtText */])(position.column, __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getWordDefinition(lineTokens.getLanguageId(tokenIndex)), lineContent.substring(rbStartOffset, rbEndOffset), rbStartOffset); // Make sure the result touches the original passed in position if (rightBiasedWord && rightBiasedWord.startColumn <= _position.column && _position.column <= rightBiasedWord.endColumn) { return rightBiasedWord; } // (2). Else, if we were at a language boundary, check the left biased word if (tokenIndex > 0 && rbStartOffset === position.column - 1) { // edge case, where `position` sits between two tokens belonging to two different languages var _b = TextModel._findLanguageBoundaries(lineTokens, tokenIndex - 1), lbStartOffset = _b[0], lbEndOffset = _b[1]; var leftBiasedWord = Object(__WEBPACK_IMPORTED_MODULE_18__wordHelper_js__["d" /* getWordAtText */])(position.column, __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getWordDefinition(lineTokens.getLanguageId(tokenIndex - 1)), lineContent.substring(lbStartOffset, lbEndOffset), lbStartOffset); // Make sure the result touches the original passed in position if (leftBiasedWord && leftBiasedWord.startColumn <= _position.column && _position.column <= leftBiasedWord.endColumn) { return leftBiasedWord; } } return null; }; TextModel._findLanguageBoundaries = function (lineTokens, tokenIndex) { var languageId = lineTokens.getLanguageId(tokenIndex); // go left until a different language is hit var startOffset = 0; for (var i = tokenIndex; i >= 0 && lineTokens.getLanguageId(i) === languageId; i--) { startOffset = lineTokens.getStartOffset(i); } // go right until a different language is hit var endOffset = lineTokens.getLineContent().length; for (var i = tokenIndex, tokenCount = lineTokens.getCount(); i < tokenCount && lineTokens.getLanguageId(i) === languageId; i++) { endOffset = lineTokens.getEndOffset(i); } return [startOffset, endOffset]; }; TextModel.prototype.getWordUntilPosition = function (position) { var wordAtPosition = this.getWordAtPosition(position); if (!wordAtPosition) { return { word: '', startColumn: position.column, endColumn: position.column }; } return { word: wordAtPosition.word.substr(0, position.column - wordAtPosition.startColumn), startColumn: wordAtPosition.startColumn, endColumn: position.column }; }; TextModel.prototype.findMatchingBracketUp = function (_bracket, _position) { var bracket = _bracket.toLowerCase(); var position = this.validatePosition(_position); var lineTokens = this._getLineTokens(position.lineNumber); var languageId = lineTokens.getLanguageId(lineTokens.findTokenIndexAtOffset(position.column - 1)); var bracketsSupport = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getBracketsSupport(languageId); if (!bracketsSupport) { return null; } var data = bracketsSupport.textIsBracket[bracket]; if (!data) { return null; } return this._findMatchingBracketUp(data, position); }; TextModel.prototype.matchBracket = function (position) { return this._matchBracket(this.validatePosition(position)); }; TextModel.prototype._matchBracket = function (position) { var lineNumber = position.lineNumber; var lineTokens = this._getLineTokens(lineNumber); var lineText = this._buffer.getLineContent(lineNumber); var tokenIndex = lineTokens.findTokenIndexAtOffset(position.column - 1); if (tokenIndex < 0) { return null; } var currentModeBrackets = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getBracketsSupport(lineTokens.getLanguageId(tokenIndex)); // check that the token is not to be ignored if (currentModeBrackets && !Object(__WEBPACK_IMPORTED_MODULE_22__modes_supports_js__["b" /* ignoreBracketsInToken */])(lineTokens.getStandardTokenType(tokenIndex))) { // limit search to not go before `maxBracketLength` var searchStartOffset = Math.max(lineTokens.getStartOffset(tokenIndex), position.column - 1 - currentModeBrackets.maxBracketLength); // limit search to not go after `maxBracketLength` var searchEndOffset = Math.min(lineTokens.getEndOffset(tokenIndex), position.column - 1 + currentModeBrackets.maxBracketLength); // it might be the case that [currentTokenStart -> currentTokenEnd] contains multiple brackets // `bestResult` will contain the most right-side result var bestResult = null; while (true) { var foundBracket = __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__["a" /* BracketsUtils */].findNextBracketInToken(currentModeBrackets.forwardRegex, lineNumber, lineText, searchStartOffset, searchEndOffset); if (!foundBracket) { // there are no more brackets in this text break; } // check that we didn't hit a bracket too far away from position if (foundBracket.startColumn <= position.column && position.column <= foundBracket.endColumn) { var foundBracketText = lineText.substring(foundBracket.startColumn - 1, foundBracket.endColumn - 1); foundBracketText = foundBracketText.toLowerCase(); var r = this._matchFoundBracket(foundBracket, currentModeBrackets.textIsBracket[foundBracketText], currentModeBrackets.textIsOpenBracket[foundBracketText]); // check that we can actually match this bracket if (r) { bestResult = r; } } searchStartOffset = foundBracket.endColumn - 1; } if (bestResult) { return bestResult; } } // If position is in between two tokens, try also looking in the previous token if (tokenIndex > 0 && lineTokens.getStartOffset(tokenIndex) === position.column - 1) { var searchEndOffset = lineTokens.getStartOffset(tokenIndex); tokenIndex--; var prevModeBrackets = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getBracketsSupport(lineTokens.getLanguageId(tokenIndex)); // check that previous token is not to be ignored if (prevModeBrackets && !Object(__WEBPACK_IMPORTED_MODULE_22__modes_supports_js__["b" /* ignoreBracketsInToken */])(lineTokens.getStandardTokenType(tokenIndex))) { // limit search in case previous token is very large, there's no need to go beyond `maxBracketLength` var searchStartOffset = Math.max(lineTokens.getStartOffset(tokenIndex), position.column - 1 - prevModeBrackets.maxBracketLength); var foundBracket = __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__["a" /* BracketsUtils */].findPrevBracketInToken(prevModeBrackets.reversedRegex, lineNumber, lineText, searchStartOffset, searchEndOffset); // check that we didn't hit a bracket too far away from position if (foundBracket && foundBracket.startColumn <= position.column && position.column <= foundBracket.endColumn) { var foundBracketText = lineText.substring(foundBracket.startColumn - 1, foundBracket.endColumn - 1); foundBracketText = foundBracketText.toLowerCase(); var r = this._matchFoundBracket(foundBracket, prevModeBrackets.textIsBracket[foundBracketText], prevModeBrackets.textIsOpenBracket[foundBracketText]); // check that we can actually match this bracket if (r) { return r; } } } } return null; }; TextModel.prototype._matchFoundBracket = function (foundBracket, data, isOpen) { if (!data) { return null; } if (isOpen) { var matched = this._findMatchingBracketDown(data, foundBracket.getEndPosition()); if (matched) { return [foundBracket, matched]; } } else { var matched = this._findMatchingBracketUp(data, foundBracket.getStartPosition()); if (matched) { return [foundBracket, matched]; } } return null; }; TextModel.prototype._findMatchingBracketUp = function (bracket, position) { // console.log('_findMatchingBracketUp: ', 'bracket: ', JSON.stringify(bracket), 'startPosition: ', String(position)); var languageId = bracket.languageIdentifier.id; var reversedBracketRegex = bracket.reversedRegex; var count = -1; for (var lineNumber = position.lineNumber; lineNumber >= 1; lineNumber--) { var lineTokens = this._getLineTokens(lineNumber); var tokenCount = lineTokens.getCount(); var lineText = this._buffer.getLineContent(lineNumber); var tokenIndex = tokenCount - 1; var searchStopOffset = -1; if (lineNumber === position.lineNumber) { tokenIndex = lineTokens.findTokenIndexAtOffset(position.column - 1); searchStopOffset = position.column - 1; } for (; tokenIndex >= 0; tokenIndex--) { var tokenLanguageId = lineTokens.getLanguageId(tokenIndex); var tokenType = lineTokens.getStandardTokenType(tokenIndex); var tokenStartOffset = lineTokens.getStartOffset(tokenIndex); var tokenEndOffset = lineTokens.getEndOffset(tokenIndex); if (searchStopOffset === -1) { searchStopOffset = tokenEndOffset; } if (tokenLanguageId === languageId && !Object(__WEBPACK_IMPORTED_MODULE_22__modes_supports_js__["b" /* ignoreBracketsInToken */])(tokenType)) { while (true) { var r = __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__["a" /* BracketsUtils */].findPrevBracketInToken(reversedBracketRegex, lineNumber, lineText, tokenStartOffset, searchStopOffset); if (!r) { break; } var hitText = lineText.substring(r.startColumn - 1, r.endColumn - 1); hitText = hitText.toLowerCase(); if (hitText === bracket.open) { count++; } else if (hitText === bracket.close) { count--; } if (count === 0) { return r; } searchStopOffset = r.startColumn - 1; } } searchStopOffset = -1; } } return null; }; TextModel.prototype._findMatchingBracketDown = function (bracket, position) { // console.log('_findMatchingBracketDown: ', 'bracket: ', JSON.stringify(bracket), 'startPosition: ', String(position)); var languageId = bracket.languageIdentifier.id; var bracketRegex = bracket.forwardRegex; var count = 1; for (var lineNumber = position.lineNumber, lineCount = this.getLineCount(); lineNumber <= lineCount; lineNumber++) { var lineTokens = this._getLineTokens(lineNumber); var tokenCount = lineTokens.getCount(); var lineText = this._buffer.getLineContent(lineNumber); var tokenIndex = 0; var searchStartOffset = 0; if (lineNumber === position.lineNumber) { tokenIndex = lineTokens.findTokenIndexAtOffset(position.column - 1); searchStartOffset = position.column - 1; } for (; tokenIndex < tokenCount; tokenIndex++) { var tokenLanguageId = lineTokens.getLanguageId(tokenIndex); var tokenType = lineTokens.getStandardTokenType(tokenIndex); var tokenStartOffset = lineTokens.getStartOffset(tokenIndex); var tokenEndOffset = lineTokens.getEndOffset(tokenIndex); if (searchStartOffset === 0) { searchStartOffset = tokenStartOffset; } if (tokenLanguageId === languageId && !Object(__WEBPACK_IMPORTED_MODULE_22__modes_supports_js__["b" /* ignoreBracketsInToken */])(tokenType)) { while (true) { var r = __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__["a" /* BracketsUtils */].findNextBracketInToken(bracketRegex, lineNumber, lineText, searchStartOffset, tokenEndOffset); if (!r) { break; } var hitText = lineText.substring(r.startColumn - 1, r.endColumn - 1); hitText = hitText.toLowerCase(); if (hitText === bracket.open) { count++; } else if (hitText === bracket.close) { count--; } if (count === 0) { return r; } searchStartOffset = r.endColumn - 1; } } searchStartOffset = 0; } } return null; }; TextModel.prototype.findPrevBracket = function (_position) { var position = this.validatePosition(_position); var languageId = -1; var modeBrackets = null; for (var lineNumber = position.lineNumber; lineNumber >= 1; lineNumber--) { var lineTokens = this._getLineTokens(lineNumber); var tokenCount = lineTokens.getCount(); var lineText = this._buffer.getLineContent(lineNumber); var tokenIndex = tokenCount - 1; var searchStopOffset = -1; if (lineNumber === position.lineNumber) { tokenIndex = lineTokens.findTokenIndexAtOffset(position.column - 1); searchStopOffset = position.column - 1; } for (; tokenIndex >= 0; tokenIndex--) { var tokenLanguageId = lineTokens.getLanguageId(tokenIndex); var tokenType = lineTokens.getStandardTokenType(tokenIndex); var tokenStartOffset = lineTokens.getStartOffset(tokenIndex); var tokenEndOffset = lineTokens.getEndOffset(tokenIndex); if (searchStopOffset === -1) { searchStopOffset = tokenEndOffset; } if (languageId !== tokenLanguageId) { languageId = tokenLanguageId; modeBrackets = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getBracketsSupport(languageId); } if (modeBrackets && !Object(__WEBPACK_IMPORTED_MODULE_22__modes_supports_js__["b" /* ignoreBracketsInToken */])(tokenType)) { var r = __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__["a" /* BracketsUtils */].findPrevBracketInToken(modeBrackets.reversedRegex, lineNumber, lineText, tokenStartOffset, searchStopOffset); if (r) { return this._toFoundBracket(modeBrackets, r); } } searchStopOffset = -1; } } return null; }; TextModel.prototype.findNextBracket = function (_position) { var position = this.validatePosition(_position); var languageId = -1; var modeBrackets = null; for (var lineNumber = position.lineNumber, lineCount = this.getLineCount(); lineNumber <= lineCount; lineNumber++) { var lineTokens = this._getLineTokens(lineNumber); var tokenCount = lineTokens.getCount(); var lineText = this._buffer.getLineContent(lineNumber); var tokenIndex = 0; var searchStartOffset = 0; if (lineNumber === position.lineNumber) { tokenIndex = lineTokens.findTokenIndexAtOffset(position.column - 1); searchStartOffset = position.column - 1; } for (; tokenIndex < tokenCount; tokenIndex++) { var tokenLanguageId = lineTokens.getLanguageId(tokenIndex); var tokenType = lineTokens.getStandardTokenType(tokenIndex); var tokenStartOffset = lineTokens.getStartOffset(tokenIndex); var tokenEndOffset = lineTokens.getEndOffset(tokenIndex); if (searchStartOffset === 0) { searchStartOffset = tokenStartOffset; } if (languageId !== tokenLanguageId) { languageId = tokenLanguageId; modeBrackets = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getBracketsSupport(languageId); } if (modeBrackets && !Object(__WEBPACK_IMPORTED_MODULE_22__modes_supports_js__["b" /* ignoreBracketsInToken */])(tokenType)) { var r = __WEBPACK_IMPORTED_MODULE_23__modes_supports_richEditBrackets_js__["a" /* BracketsUtils */].findNextBracketInToken(modeBrackets.forwardRegex, lineNumber, lineText, searchStartOffset, tokenEndOffset); if (r) { return this._toFoundBracket(modeBrackets, r); } } searchStartOffset = 0; } } return null; }; TextModel.prototype._toFoundBracket = function (modeBrackets, r) { if (!r) { return null; } var text = this.getValueInRange(r); text = text.toLowerCase(); var data = modeBrackets.textIsBracket[text]; if (!data) { return null; } return { range: r, open: data.open, close: data.close, isOpen: modeBrackets.textIsOpenBracket[text] }; }; /** * Returns: * - -1 => the line consists of whitespace * - otherwise => the indent level is returned value */ TextModel.computeIndentLevel = function (line, tabSize) { var indent = 0; var i = 0; var len = line.length; while (i < len) { var chCode = line.charCodeAt(i); if (chCode === 32 /* Space */) { indent++; } else if (chCode === 9 /* Tab */) { indent = indent - indent % tabSize + tabSize; } else { break; } i++; } if (i === len) { return -1; // line only consists of whitespace } return indent; }; TextModel.prototype._computeIndentLevel = function (lineIndex) { return TextModel.computeIndentLevel(this._buffer.getLineContent(lineIndex + 1), this._options.tabSize); }; TextModel.prototype.getActiveIndentGuide = function (lineNumber, minLineNumber, maxLineNumber) { var _this = this; this._assertNotDisposed(); var lineCount = this.getLineCount(); if (lineNumber < 1 || lineNumber > lineCount) { throw new Error('Illegal value for lineNumber'); } var foldingRules = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getFoldingRules(this._languageIdentifier.id); var offSide = Boolean(foldingRules && foldingRules.offSide); var up_aboveContentLineIndex = -2; /* -2 is a marker for not having computed it */ var up_aboveContentLineIndent = -1; var up_belowContentLineIndex = -2; /* -2 is a marker for not having computed it */ var up_belowContentLineIndent = -1; var up_resolveIndents = function (lineNumber) { if (up_aboveContentLineIndex !== -1 && (up_aboveContentLineIndex === -2 || up_aboveContentLineIndex > lineNumber - 1)) { up_aboveContentLineIndex = -1; up_aboveContentLineIndent = -1; // must find previous line with content for (var lineIndex = lineNumber - 2; lineIndex >= 0; lineIndex--) { var indent_1 = _this._computeIndentLevel(lineIndex); if (indent_1 >= 0) { up_aboveContentLineIndex = lineIndex; up_aboveContentLineIndent = indent_1; break; } } } if (up_belowContentLineIndex === -2) { up_belowContentLineIndex = -1; up_belowContentLineIndent = -1; // must find next line with content for (var lineIndex = lineNumber; lineIndex < lineCount; lineIndex++) { var indent_2 = _this._computeIndentLevel(lineIndex); if (indent_2 >= 0) { up_belowContentLineIndex = lineIndex; up_belowContentLineIndent = indent_2; break; } } } }; var down_aboveContentLineIndex = -2; /* -2 is a marker for not having computed it */ var down_aboveContentLineIndent = -1; var down_belowContentLineIndex = -2; /* -2 is a marker for not having computed it */ var down_belowContentLineIndent = -1; var down_resolveIndents = function (lineNumber) { if (down_aboveContentLineIndex === -2) { down_aboveContentLineIndex = -1; down_aboveContentLineIndent = -1; // must find previous line with content for (var lineIndex = lineNumber - 2; lineIndex >= 0; lineIndex--) { var indent_3 = _this._computeIndentLevel(lineIndex); if (indent_3 >= 0) { down_aboveContentLineIndex = lineIndex; down_aboveContentLineIndent = indent_3; break; } } } if (down_belowContentLineIndex !== -1 && (down_belowContentLineIndex === -2 || down_belowContentLineIndex < lineNumber - 1)) { down_belowContentLineIndex = -1; down_belowContentLineIndent = -1; // must find next line with content for (var lineIndex = lineNumber; lineIndex < lineCount; lineIndex++) { var indent_4 = _this._computeIndentLevel(lineIndex); if (indent_4 >= 0) { down_belowContentLineIndex = lineIndex; down_belowContentLineIndent = indent_4; break; } } } }; var startLineNumber = 0; var goUp = true; var endLineNumber = 0; var goDown = true; var indent = 0; for (var distance = 0; goUp || goDown; distance++) { var upLineNumber = lineNumber - distance; var downLineNumber = lineNumber + distance; if (distance !== 0 && (upLineNumber < 1 || upLineNumber < minLineNumber)) { goUp = false; } if (distance !== 0 && (downLineNumber > lineCount || downLineNumber > maxLineNumber)) { goDown = false; } if (distance > 50000) { // stop processing goUp = false; goDown = false; } if (goUp) { // compute indent level going up var upLineIndentLevel = void 0; var currentIndent = this._computeIndentLevel(upLineNumber - 1); if (currentIndent >= 0) { // This line has content (besides whitespace) // Use the line's indent up_belowContentLineIndex = upLineNumber - 1; up_belowContentLineIndent = currentIndent; upLineIndentLevel = Math.ceil(currentIndent / this._options.indentSize); } else { up_resolveIndents(upLineNumber); upLineIndentLevel = this._getIndentLevelForWhitespaceLine(offSide, up_aboveContentLineIndent, up_belowContentLineIndent); } if (distance === 0) { // This is the initial line number startLineNumber = upLineNumber; endLineNumber = downLineNumber; indent = upLineIndentLevel; if (indent === 0) { // No need to continue return { startLineNumber: startLineNumber, endLineNumber: endLineNumber, indent: indent }; } continue; } if (upLineIndentLevel >= indent) { startLineNumber = upLineNumber; } else { goUp = false; } } if (goDown) { // compute indent level going down var downLineIndentLevel = void 0; var currentIndent = this._computeIndentLevel(downLineNumber - 1); if (currentIndent >= 0) { // This line has content (besides whitespace) // Use the line's indent down_aboveContentLineIndex = downLineNumber - 1; down_aboveContentLineIndent = currentIndent; downLineIndentLevel = Math.ceil(currentIndent / this._options.indentSize); } else { down_resolveIndents(downLineNumber); downLineIndentLevel = this._getIndentLevelForWhitespaceLine(offSide, down_aboveContentLineIndent, down_belowContentLineIndent); } if (downLineIndentLevel >= indent) { endLineNumber = downLineNumber; } else { goDown = false; } } } return { startLineNumber: startLineNumber, endLineNumber: endLineNumber, indent: indent }; }; TextModel.prototype.getLinesIndentGuides = function (startLineNumber, endLineNumber) { this._assertNotDisposed(); var lineCount = this.getLineCount(); if (startLineNumber < 1 || startLineNumber > lineCount) { throw new Error('Illegal value for startLineNumber'); } if (endLineNumber < 1 || endLineNumber > lineCount) { throw new Error('Illegal value for endLineNumber'); } var foldingRules = __WEBPACK_IMPORTED_MODULE_20__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getFoldingRules(this._languageIdentifier.id); var offSide = Boolean(foldingRules && foldingRules.offSide); var result = new Array(endLineNumber - startLineNumber + 1); var aboveContentLineIndex = -2; /* -2 is a marker for not having computed it */ var aboveContentLineIndent = -1; var belowContentLineIndex = -2; /* -2 is a marker for not having computed it */ var belowContentLineIndent = -1; for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var resultIndex = lineNumber - startLineNumber; var currentIndent = this._computeIndentLevel(lineNumber - 1); if (currentIndent >= 0) { // This line has content (besides whitespace) // Use the line's indent aboveContentLineIndex = lineNumber - 1; aboveContentLineIndent = currentIndent; result[resultIndex] = Math.ceil(currentIndent / this._options.indentSize); continue; } if (aboveContentLineIndex === -2) { aboveContentLineIndex = -1; aboveContentLineIndent = -1; // must find previous line with content for (var lineIndex = lineNumber - 2; lineIndex >= 0; lineIndex--) { var indent = this._computeIndentLevel(lineIndex); if (indent >= 0) { aboveContentLineIndex = lineIndex; aboveContentLineIndent = indent; break; } } } if (belowContentLineIndex !== -1 && (belowContentLineIndex === -2 || belowContentLineIndex < lineNumber - 1)) { belowContentLineIndex = -1; belowContentLineIndent = -1; // must find next line with content for (var lineIndex = lineNumber; lineIndex < lineCount; lineIndex++) { var indent = this._computeIndentLevel(lineIndex); if (indent >= 0) { belowContentLineIndex = lineIndex; belowContentLineIndent = indent; break; } } } result[resultIndex] = this._getIndentLevelForWhitespaceLine(offSide, aboveContentLineIndent, belowContentLineIndent); } return result; }; TextModel.prototype._getIndentLevelForWhitespaceLine = function (offSide, aboveContentLineIndent, belowContentLineIndent) { if (aboveContentLineIndent === -1 || belowContentLineIndent === -1) { // At the top or bottom of the file return 0; } else if (aboveContentLineIndent < belowContentLineIndent) { // we are inside the region above return (1 + Math.floor(aboveContentLineIndent / this._options.indentSize)); } else if (aboveContentLineIndent === belowContentLineIndent) { // we are in between two regions return Math.ceil(belowContentLineIndent / this._options.indentSize); } else { if (offSide) { // same level as region below return Math.ceil(belowContentLineIndent / this._options.indentSize); } else { // we are inside the region that ends below return (1 + Math.floor(belowContentLineIndent / this._options.indentSize)); } } }; TextModel.MODEL_SYNC_LIMIT = 50 * 1024 * 1024; // 50 MB TextModel.LARGE_FILE_SIZE_THRESHOLD = 20 * 1024 * 1024; // 20 MB; TextModel.LARGE_FILE_LINE_COUNT_THRESHOLD = 300 * 1000; // 300K lines TextModel.DEFAULT_CREATION_OPTIONS = { isForSimpleWidget: false, tabSize: __WEBPACK_IMPORTED_MODULE_6__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].tabSize, indentSize: __WEBPACK_IMPORTED_MODULE_6__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].indentSize, insertSpaces: __WEBPACK_IMPORTED_MODULE_6__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].insertSpaces, detectIndentation: false, defaultEOL: 1 /* LF */, trimAutoWhitespace: __WEBPACK_IMPORTED_MODULE_6__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].trimAutoWhitespace, largeFileOptimizations: __WEBPACK_IMPORTED_MODULE_6__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].largeFileOptimizations, }; return TextModel; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); //#region Decorations var DecorationsTrees = /** @class */ (function () { function DecorationsTrees() { this._decorationsTree0 = new __WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["b" /* IntervalTree */](); this._decorationsTree1 = new __WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["b" /* IntervalTree */](); } DecorationsTrees.prototype.intervalSearch = function (start, end, filterOwnerId, filterOutValidation, cachedVersionId) { var r0 = this._decorationsTree0.intervalSearch(start, end, filterOwnerId, filterOutValidation, cachedVersionId); var r1 = this._decorationsTree1.intervalSearch(start, end, filterOwnerId, filterOutValidation, cachedVersionId); return r0.concat(r1); }; DecorationsTrees.prototype.search = function (filterOwnerId, filterOutValidation, overviewRulerOnly, cachedVersionId) { if (overviewRulerOnly) { return this._decorationsTree1.search(filterOwnerId, filterOutValidation, cachedVersionId); } else { var r0 = this._decorationsTree0.search(filterOwnerId, filterOutValidation, cachedVersionId); var r1 = this._decorationsTree1.search(filterOwnerId, filterOutValidation, cachedVersionId); return r0.concat(r1); } }; DecorationsTrees.prototype.collectNodesFromOwner = function (ownerId) { var r0 = this._decorationsTree0.collectNodesFromOwner(ownerId); var r1 = this._decorationsTree1.collectNodesFromOwner(ownerId); return r0.concat(r1); }; DecorationsTrees.prototype.collectNodesPostOrder = function () { var r0 = this._decorationsTree0.collectNodesPostOrder(); var r1 = this._decorationsTree1.collectNodesPostOrder(); return r0.concat(r1); }; DecorationsTrees.prototype.insert = function (node) { if (Object(__WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["c" /* getNodeIsInOverviewRuler */])(node)) { this._decorationsTree1.insert(node); } else { this._decorationsTree0.insert(node); } }; DecorationsTrees.prototype.delete = function (node) { if (Object(__WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["c" /* getNodeIsInOverviewRuler */])(node)) { this._decorationsTree1.delete(node); } else { this._decorationsTree0.delete(node); } }; DecorationsTrees.prototype.resolveNode = function (node, cachedVersionId) { if (Object(__WEBPACK_IMPORTED_MODULE_13__intervalTree_js__["c" /* getNodeIsInOverviewRuler */])(node)) { this._decorationsTree1.resolveNode(node, cachedVersionId); } else { this._decorationsTree0.resolveNode(node, cachedVersionId); } }; DecorationsTrees.prototype.acceptReplace = function (offset, length, textLength, forceMoveMarkers) { this._decorationsTree0.acceptReplace(offset, length, textLength, forceMoveMarkers); this._decorationsTree1.acceptReplace(offset, length, textLength, forceMoveMarkers); }; return DecorationsTrees; }()); function cleanClassName(className) { return className.replace(/[^a-z0-9\-_]/gi, ' '); } var ModelDecorationOverviewRulerOptions = /** @class */ (function () { function ModelDecorationOverviewRulerOptions(options) { this.color = options.color || __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["i" /* empty */]; this.darkColor = options.darkColor || __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["i" /* empty */]; this.position = (typeof options.position === 'number' ? options.position : __WEBPACK_IMPORTED_MODULE_10__model_js__["c" /* OverviewRulerLane */].Center); this._resolvedColor = null; } ModelDecorationOverviewRulerOptions.prototype.getColor = function (theme) { if (!this._resolvedColor) { if (theme.type !== 'light' && this.darkColor) { this._resolvedColor = this._resolveColor(this.darkColor, theme); } else { this._resolvedColor = this._resolveColor(this.color, theme); } } return this._resolvedColor; }; ModelDecorationOverviewRulerOptions.prototype.invalidateCachedColor = function () { this._resolvedColor = null; }; ModelDecorationOverviewRulerOptions.prototype._resolveColor = function (color, theme) { if (typeof color === 'string') { return color; } var c = color ? theme.getColor(color.id) : null; if (!c) { return __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["i" /* empty */]; } return c.toString(); }; return ModelDecorationOverviewRulerOptions; }()); var ModelDecorationOptions = /** @class */ (function () { function ModelDecorationOptions(options) { this.stickiness = options.stickiness || 0 /* AlwaysGrowsWhenTypingAtEdges */; this.zIndex = options.zIndex || 0; this.className = options.className ? cleanClassName(options.className) : null; this.hoverMessage = options.hoverMessage || null; this.glyphMarginHoverMessage = options.glyphMarginHoverMessage || null; this.isWholeLine = options.isWholeLine || false; this.showIfCollapsed = options.showIfCollapsed || false; this.collapseOnReplaceEdit = options.collapseOnReplaceEdit || false; this.overviewRuler = options.overviewRuler ? new ModelDecorationOverviewRulerOptions(options.overviewRuler) : null; this.glyphMarginClassName = options.glyphMarginClassName ? cleanClassName(options.glyphMarginClassName) : null; this.linesDecorationsClassName = options.linesDecorationsClassName ? cleanClassName(options.linesDecorationsClassName) : null; this.marginClassName = options.marginClassName ? cleanClassName(options.marginClassName) : null; this.inlineClassName = options.inlineClassName ? cleanClassName(options.inlineClassName) : null; this.inlineClassNameAffectsLetterSpacing = options.inlineClassNameAffectsLetterSpacing || false; this.beforeContentClassName = options.beforeContentClassName ? cleanClassName(options.beforeContentClassName) : null; this.afterContentClassName = options.afterContentClassName ? cleanClassName(options.afterContentClassName) : null; } ModelDecorationOptions.register = function (options) { return new ModelDecorationOptions(options); }; ModelDecorationOptions.createDynamic = function (options) { return new ModelDecorationOptions(options); }; return ModelDecorationOptions; }()); ModelDecorationOptions.EMPTY = ModelDecorationOptions.register({}); /** * The order carefully matches the values of the enum. */ var TRACKED_RANGE_OPTIONS = [ ModelDecorationOptions.register({ stickiness: 0 /* AlwaysGrowsWhenTypingAtEdges */ }), ModelDecorationOptions.register({ stickiness: 1 /* NeverGrowsWhenTypingAtEdges */ }), ModelDecorationOptions.register({ stickiness: 2 /* GrowsOnlyWhenTypingBefore */ }), ModelDecorationOptions.register({ stickiness: 3 /* GrowsOnlyWhenTypingAfter */ }), ]; function _normalizeOptions(options) { if (options instanceof ModelDecorationOptions) { return options; } return ModelDecorationOptions.createDynamic(options); } var DidChangeDecorationsEmitter = /** @class */ (function (_super) { __extends(DidChangeDecorationsEmitter, _super); function DidChangeDecorationsEmitter() { var _this = _super.call(this) || this; _this._actual = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.event = _this._actual.event; _this._deferredCnt = 0; _this._shouldFire = false; return _this; } DidChangeDecorationsEmitter.prototype.beginDeferredEmit = function () { this._deferredCnt++; }; DidChangeDecorationsEmitter.prototype.endDeferredEmit = function () { this._deferredCnt--; if (this._deferredCnt === 0) { if (this._shouldFire) { this._shouldFire = false; this._actual.fire({}); } } }; DidChangeDecorationsEmitter.prototype.fire = function () { this._shouldFire = true; }; return DidChangeDecorationsEmitter; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); //#endregion var DidChangeContentEmitter = /** @class */ (function (_super) { __extends(DidChangeContentEmitter, _super); function DidChangeContentEmitter() { var _this = _super.call(this) || this; /** * Both `fastEvent` and `slowEvent` work the same way and contain the same events, but first we invoke `fastEvent` and then `slowEvent`. */ _this._fastEmitter = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.fastEvent = _this._fastEmitter.event; _this._slowEmitter = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.slowEvent = _this._slowEmitter.event; _this._deferredCnt = 0; _this._deferredEvent = null; return _this; } DidChangeContentEmitter.prototype.beginDeferredEmit = function () { this._deferredCnt++; }; DidChangeContentEmitter.prototype.endDeferredEmit = function () { this._deferredCnt--; if (this._deferredCnt === 0) { if (this._deferredEvent !== null) { var e = this._deferredEvent; this._deferredEvent = null; this._fastEmitter.fire(e); this._slowEmitter.fire(e); } } }; DidChangeContentEmitter.prototype.fire = function (e) { if (this._deferredCnt > 0) { if (this._deferredEvent) { this._deferredEvent = this._deferredEvent.merge(e); } else { this._deferredEvent = e; } return; } this._fastEmitter.fire(e); this._slowEmitter.fire(e); }; return DidChangeContentEmitter; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1452: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export MouseWheelClassifier */ /* unused harmony export AbstractScrollableElement */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ScrollableElement; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return SmoothScrollableElement; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DomScrollableElement; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_scrollbars_css__ = __webpack_require__(1967); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_scrollbars_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__media_scrollbars_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__horizontalScrollbar_js__ = __webpack_require__(1969); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__verticalScrollbar_js__ = __webpack_require__(1971); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__widget_js__ = __webpack_require__(1578); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_scrollable_js__ = __webpack_require__(1711); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var HIDE_TIMEOUT = 500; var SCROLL_WHEEL_SENSITIVITY = 50; var SCROLL_WHEEL_SMOOTH_SCROLL_ENABLED = true; var MouseWheelClassifierItem = /** @class */ (function () { function MouseWheelClassifierItem(timestamp, deltaX, deltaY) { this.timestamp = timestamp; this.deltaX = deltaX; this.deltaY = deltaY; this.score = 0; } return MouseWheelClassifierItem; }()); var MouseWheelClassifier = /** @class */ (function () { function MouseWheelClassifier() { this._capacity = 5; this._memory = []; this._front = -1; this._rear = -1; } MouseWheelClassifier.prototype.isPhysicalMouseWheel = function () { if (this._front === -1 && this._rear === -1) { // no elements return false; } // 0.5 * last + 0.25 * before last + 0.125 * before before last + ... var remainingInfluence = 1; var score = 0; var iteration = 1; var index = this._rear; do { var influence = (index === this._front ? remainingInfluence : Math.pow(2, -iteration)); remainingInfluence -= influence; score += this._memory[index].score * influence; if (index === this._front) { break; } index = (this._capacity + index - 1) % this._capacity; iteration++; } while (true); return (score <= 0.5); }; MouseWheelClassifier.prototype.accept = function (timestamp, deltaX, deltaY) { var item = new MouseWheelClassifierItem(timestamp, deltaX, deltaY); item.score = this._computeScore(item); if (this._front === -1 && this._rear === -1) { this._memory[0] = item; this._front = 0; this._rear = 0; } else { this._rear = (this._rear + 1) % this._capacity; if (this._rear === this._front) { // Drop oldest this._front = (this._front + 1) % this._capacity; } this._memory[this._rear] = item; } }; /** * A score between 0 and 1 for `item`. * - a score towards 0 indicates that the source appears to be a physical mouse wheel * - a score towards 1 indicates that the source appears to be a touchpad or magic mouse, etc. */ MouseWheelClassifier.prototype._computeScore = function (item) { if (Math.abs(item.deltaX) > 0 && Math.abs(item.deltaY) > 0) { // both axes exercised => definitely not a physical mouse wheel return 1; } var score = 0.5; var prev = (this._front === -1 && this._rear === -1 ? null : this._memory[this._rear]); if (prev) { // const deltaT = item.timestamp - prev.timestamp; // if (deltaT < 1000 / 30) { // // sooner than X times per second => indicator that this is not a physical mouse wheel // score += 0.25; // } // if (item.deltaX === prev.deltaX && item.deltaY === prev.deltaY) { // // equal amplitude => indicator that this is a physical mouse wheel // score -= 0.25; // } } if (Math.abs(item.deltaX - Math.round(item.deltaX)) > 0 || Math.abs(item.deltaY - Math.round(item.deltaY)) > 0) { // non-integer deltas => indicator that this is not a physical mouse wheel score += 0.25; } return Math.min(Math.max(score, 0), 1); }; MouseWheelClassifier.INSTANCE = new MouseWheelClassifier(); return MouseWheelClassifier; }()); var AbstractScrollableElement = /** @class */ (function (_super) { __extends(AbstractScrollableElement, _super); function AbstractScrollableElement(element, options, scrollable) { var _this = _super.call(this) || this; _this._onScroll = _this._register(new __WEBPACK_IMPORTED_MODULE_8__common_event_js__["a" /* Emitter */]()); _this.onScroll = _this._onScroll.event; element.style.overflow = 'hidden'; _this._options = resolveOptions(options); _this._scrollable = scrollable; _this._register(_this._scrollable.onScroll(function (e) { _this._onDidScroll(e); _this._onScroll.fire(e); })); var scrollbarHost = { onMouseWheel: function (mouseWheelEvent) { return _this._onMouseWheel(mouseWheelEvent); }, onDragStart: function () { return _this._onDragStart(); }, onDragEnd: function () { return _this._onDragEnd(); }, }; _this._verticalScrollbar = _this._register(new __WEBPACK_IMPORTED_MODULE_5__verticalScrollbar_js__["a" /* VerticalScrollbar */](_this._scrollable, _this._options, scrollbarHost)); _this._horizontalScrollbar = _this._register(new __WEBPACK_IMPORTED_MODULE_4__horizontalScrollbar_js__["a" /* HorizontalScrollbar */](_this._scrollable, _this._options, scrollbarHost)); _this._domNode = document.createElement('div'); _this._domNode.className = 'monaco-scrollable-element ' + _this._options.className; _this._domNode.setAttribute('role', 'presentation'); _this._domNode.style.position = 'relative'; _this._domNode.style.overflow = 'hidden'; _this._domNode.appendChild(element); _this._domNode.appendChild(_this._horizontalScrollbar.domNode.domNode); _this._domNode.appendChild(_this._verticalScrollbar.domNode.domNode); if (_this._options.useShadows) { _this._leftShadowDomNode = Object(__WEBPACK_IMPORTED_MODULE_2__fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._leftShadowDomNode.setClassName('shadow'); _this._domNode.appendChild(_this._leftShadowDomNode.domNode); _this._topShadowDomNode = Object(__WEBPACK_IMPORTED_MODULE_2__fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._topShadowDomNode.setClassName('shadow'); _this._domNode.appendChild(_this._topShadowDomNode.domNode); _this._topLeftShadowDomNode = Object(__WEBPACK_IMPORTED_MODULE_2__fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._topLeftShadowDomNode.setClassName('shadow top-left-corner'); _this._domNode.appendChild(_this._topLeftShadowDomNode.domNode); } _this._listenOnDomNode = _this._options.listenOnDomNode || _this._domNode; _this._mouseWheelToDispose = []; _this._setListeningToMouseWheel(_this._options.handleMouseWheel); _this.onmouseover(_this._listenOnDomNode, function (e) { return _this._onMouseOver(e); }); _this.onnonbubblingmouseout(_this._listenOnDomNode, function (e) { return _this._onMouseOut(e); }); _this._hideTimeout = _this._register(new __WEBPACK_IMPORTED_MODULE_7__common_async_js__["d" /* TimeoutTimer */]()); _this._isDragging = false; _this._mouseIsOver = false; _this._shouldRender = true; _this._revealOnScroll = true; return _this; } AbstractScrollableElement.prototype.dispose = function () { this._mouseWheelToDispose = Object(__WEBPACK_IMPORTED_MODULE_9__common_lifecycle_js__["d" /* dispose */])(this._mouseWheelToDispose); _super.prototype.dispose.call(this); }; /** * Get the generated 'scrollable' dom node */ AbstractScrollableElement.prototype.getDomNode = function () { return this._domNode; }; AbstractScrollableElement.prototype.getOverviewRulerLayoutInfo = function () { return { parent: this._domNode, insertBefore: this._verticalScrollbar.domNode.domNode, }; }; /** * Delegate a mouse down event to the vertical scrollbar. * This is to help with clicking somewhere else and having the scrollbar react. */ AbstractScrollableElement.prototype.delegateVerticalScrollbarMouseDown = function (browserEvent) { this._verticalScrollbar.delegateMouseDown(browserEvent); }; AbstractScrollableElement.prototype.getScrollDimensions = function () { return this._scrollable.getScrollDimensions(); }; AbstractScrollableElement.prototype.setScrollDimensions = function (dimensions) { this._scrollable.setScrollDimensions(dimensions); }; /** * Update the class name of the scrollable element. */ AbstractScrollableElement.prototype.updateClassName = function (newClassName) { this._options.className = newClassName; // Defaults are different on Macs if (__WEBPACK_IMPORTED_MODULE_10__common_platform_js__["d" /* isMacintosh */]) { this._options.className += ' mac'; } this._domNode.className = 'monaco-scrollable-element ' + this._options.className; }; /** * Update configuration options for the scrollbar. * Really this is Editor.IEditorScrollbarOptions, but base shouldn't * depend on Editor. */ AbstractScrollableElement.prototype.updateOptions = function (newOptions) { var massagedOptions = resolveOptions(newOptions); this._options.handleMouseWheel = massagedOptions.handleMouseWheel; this._options.mouseWheelScrollSensitivity = massagedOptions.mouseWheelScrollSensitivity; this._options.fastScrollSensitivity = massagedOptions.fastScrollSensitivity; this._setListeningToMouseWheel(this._options.handleMouseWheel); if (!this._options.lazyRender) { this._render(); } }; // -------------------- mouse wheel scrolling -------------------- AbstractScrollableElement.prototype._setListeningToMouseWheel = function (shouldListen) { var _this = this; var isListening = (this._mouseWheelToDispose.length > 0); if (isListening === shouldListen) { // No change return; } // Stop listening (if necessary) this._mouseWheelToDispose = Object(__WEBPACK_IMPORTED_MODULE_9__common_lifecycle_js__["d" /* dispose */])(this._mouseWheelToDispose); // Start listening (if necessary) if (shouldListen) { var onMouseWheel = function (browserEvent) { _this._onMouseWheel(new __WEBPACK_IMPORTED_MODULE_3__mouseEvent_js__["b" /* StandardWheelEvent */](browserEvent)); }; this._mouseWheelToDispose.push(__WEBPACK_IMPORTED_MODULE_1__dom_js__["g" /* addDisposableListener */](this._listenOnDomNode, 'mousewheel', onMouseWheel)); } }; AbstractScrollableElement.prototype._onMouseWheel = function (e) { var _a; var classifier = MouseWheelClassifier.INSTANCE; if (SCROLL_WHEEL_SMOOTH_SCROLL_ENABLED) { classifier.accept(Date.now(), e.deltaX, e.deltaY); } // console.log(`${Date.now()}, ${e.deltaY}, ${e.deltaX}`); if (e.deltaY || e.deltaX) { var deltaY = e.deltaY * this._options.mouseWheelScrollSensitivity; var deltaX = e.deltaX * this._options.mouseWheelScrollSensitivity; if (this._options.flipAxes) { _a = [deltaX, deltaY], deltaY = _a[0], deltaX = _a[1]; } // Convert vertical scrolling to horizontal if shift is held, this // is handled at a higher level on Mac var shiftConvert = !__WEBPACK_IMPORTED_MODULE_10__common_platform_js__["d" /* isMacintosh */] && e.browserEvent && e.browserEvent.shiftKey; if ((this._options.scrollYToX || shiftConvert) && !deltaX) { deltaX = deltaY; deltaY = 0; } if (e.browserEvent && e.browserEvent.altKey) { // fastScrolling deltaX = deltaX * this._options.fastScrollSensitivity; deltaY = deltaY * this._options.fastScrollSensitivity; } var futureScrollPosition = this._scrollable.getFutureScrollPosition(); var desiredScrollPosition = {}; if (deltaY) { var desiredScrollTop = futureScrollPosition.scrollTop - SCROLL_WHEEL_SENSITIVITY * deltaY; this._verticalScrollbar.writeScrollPosition(desiredScrollPosition, desiredScrollTop); } if (deltaX) { var desiredScrollLeft = futureScrollPosition.scrollLeft - SCROLL_WHEEL_SENSITIVITY * deltaX; this._horizontalScrollbar.writeScrollPosition(desiredScrollPosition, desiredScrollLeft); } // Check that we are scrolling towards a location which is valid desiredScrollPosition = this._scrollable.validateScrollPosition(desiredScrollPosition); if (futureScrollPosition.scrollLeft !== desiredScrollPosition.scrollLeft || futureScrollPosition.scrollTop !== desiredScrollPosition.scrollTop) { var canPerformSmoothScroll = (SCROLL_WHEEL_SMOOTH_SCROLL_ENABLED && this._options.mouseWheelSmoothScroll && classifier.isPhysicalMouseWheel()); if (canPerformSmoothScroll) { this._scrollable.setScrollPositionSmooth(desiredScrollPosition); } else { this._scrollable.setScrollPositionNow(desiredScrollPosition); } this._shouldRender = true; } } if (this._options.alwaysConsumeMouseWheel || this._shouldRender) { e.preventDefault(); e.stopPropagation(); } }; AbstractScrollableElement.prototype._onDidScroll = function (e) { this._shouldRender = this._horizontalScrollbar.onDidScroll(e) || this._shouldRender; this._shouldRender = this._verticalScrollbar.onDidScroll(e) || this._shouldRender; if (this._options.useShadows) { this._shouldRender = true; } if (this._revealOnScroll) { this._reveal(); } if (!this._options.lazyRender) { this._render(); } }; /** * Render / mutate the DOM now. * Should be used together with the ctor option `lazyRender`. */ AbstractScrollableElement.prototype.renderNow = function () { if (!this._options.lazyRender) { throw new Error('Please use `lazyRender` together with `renderNow`!'); } this._render(); }; AbstractScrollableElement.prototype._render = function () { if (!this._shouldRender) { return; } this._shouldRender = false; this._horizontalScrollbar.render(); this._verticalScrollbar.render(); if (this._options.useShadows) { var scrollState = this._scrollable.getCurrentScrollPosition(); var enableTop = scrollState.scrollTop > 0; var enableLeft = scrollState.scrollLeft > 0; this._leftShadowDomNode.setClassName('shadow' + (enableLeft ? ' left' : '')); this._topShadowDomNode.setClassName('shadow' + (enableTop ? ' top' : '')); this._topLeftShadowDomNode.setClassName('shadow top-left-corner' + (enableTop ? ' top' : '') + (enableLeft ? ' left' : '')); } }; // -------------------- fade in / fade out -------------------- AbstractScrollableElement.prototype._onDragStart = function () { this._isDragging = true; this._reveal(); }; AbstractScrollableElement.prototype._onDragEnd = function () { this._isDragging = false; this._hide(); }; AbstractScrollableElement.prototype._onMouseOut = function (e) { this._mouseIsOver = false; this._hide(); }; AbstractScrollableElement.prototype._onMouseOver = function (e) { this._mouseIsOver = true; this._reveal(); }; AbstractScrollableElement.prototype._reveal = function () { this._verticalScrollbar.beginReveal(); this._horizontalScrollbar.beginReveal(); this._scheduleHide(); }; AbstractScrollableElement.prototype._hide = function () { if (!this._mouseIsOver && !this._isDragging) { this._verticalScrollbar.beginHide(); this._horizontalScrollbar.beginHide(); } }; AbstractScrollableElement.prototype._scheduleHide = function () { var _this = this; if (!this._mouseIsOver && !this._isDragging) { this._hideTimeout.cancelAndSet(function () { return _this._hide(); }, HIDE_TIMEOUT); } }; return AbstractScrollableElement; }(__WEBPACK_IMPORTED_MODULE_6__widget_js__["a" /* Widget */])); var ScrollableElement = /** @class */ (function (_super) { __extends(ScrollableElement, _super); function ScrollableElement(element, options) { var _this = this; options = options || {}; options.mouseWheelSmoothScroll = false; var scrollable = new __WEBPACK_IMPORTED_MODULE_11__common_scrollable_js__["a" /* Scrollable */](0, function (callback) { return __WEBPACK_IMPORTED_MODULE_1__dom_js__["K" /* scheduleAtNextAnimationFrame */](callback); }); _this = _super.call(this, element, options, scrollable) || this; _this._register(scrollable); return _this; } ScrollableElement.prototype.setScrollPosition = function (update) { this._scrollable.setScrollPositionNow(update); }; ScrollableElement.prototype.getScrollPosition = function () { return this._scrollable.getCurrentScrollPosition(); }; return ScrollableElement; }(AbstractScrollableElement)); var SmoothScrollableElement = /** @class */ (function (_super) { __extends(SmoothScrollableElement, _super); function SmoothScrollableElement(element, options, scrollable) { return _super.call(this, element, options, scrollable) || this; } return SmoothScrollableElement; }(AbstractScrollableElement)); var DomScrollableElement = /** @class */ (function (_super) { __extends(DomScrollableElement, _super); function DomScrollableElement(element, options) { var _this = _super.call(this, element, options) || this; _this._element = element; _this.onScroll(function (e) { if (e.scrollTopChanged) { _this._element.scrollTop = e.scrollTop; } if (e.scrollLeftChanged) { _this._element.scrollLeft = e.scrollLeft; } }); _this.scanDomNode(); return _this; } DomScrollableElement.prototype.scanDomNode = function () { // widh, scrollLeft, scrollWidth, height, scrollTop, scrollHeight this.setScrollDimensions({ width: this._element.clientWidth, scrollWidth: this._element.scrollWidth, height: this._element.clientHeight, scrollHeight: this._element.scrollHeight }); this.setScrollPosition({ scrollLeft: this._element.scrollLeft, scrollTop: this._element.scrollTop, }); }; return DomScrollableElement; }(ScrollableElement)); function resolveOptions(opts) { var result = { lazyRender: (typeof opts.lazyRender !== 'undefined' ? opts.lazyRender : false), className: (typeof opts.className !== 'undefined' ? opts.className : ''), useShadows: (typeof opts.useShadows !== 'undefined' ? opts.useShadows : true), handleMouseWheel: (typeof opts.handleMouseWheel !== 'undefined' ? opts.handleMouseWheel : true), flipAxes: (typeof opts.flipAxes !== 'undefined' ? opts.flipAxes : false), alwaysConsumeMouseWheel: (typeof opts.alwaysConsumeMouseWheel !== 'undefined' ? opts.alwaysConsumeMouseWheel : false), scrollYToX: (typeof opts.scrollYToX !== 'undefined' ? opts.scrollYToX : false), mouseWheelScrollSensitivity: (typeof opts.mouseWheelScrollSensitivity !== 'undefined' ? opts.mouseWheelScrollSensitivity : 1), fastScrollSensitivity: (typeof opts.fastScrollSensitivity !== 'undefined' ? opts.fastScrollSensitivity : 5), mouseWheelSmoothScroll: (typeof opts.mouseWheelSmoothScroll !== 'undefined' ? opts.mouseWheelSmoothScroll : true), arrowSize: (typeof opts.arrowSize !== 'undefined' ? opts.arrowSize : 11), listenOnDomNode: (typeof opts.listenOnDomNode !== 'undefined' ? opts.listenOnDomNode : null), horizontal: (typeof opts.horizontal !== 'undefined' ? opts.horizontal : 1 /* Auto */), horizontalScrollbarSize: (typeof opts.horizontalScrollbarSize !== 'undefined' ? opts.horizontalScrollbarSize : 10), horizontalSliderSize: (typeof opts.horizontalSliderSize !== 'undefined' ? opts.horizontalSliderSize : 0), horizontalHasArrows: (typeof opts.horizontalHasArrows !== 'undefined' ? opts.horizontalHasArrows : false), vertical: (typeof opts.vertical !== 'undefined' ? opts.vertical : 1 /* Auto */), verticalScrollbarSize: (typeof opts.verticalScrollbarSize !== 'undefined' ? opts.verticalScrollbarSize : 10), verticalHasArrows: (typeof opts.verticalHasArrows !== 'undefined' ? opts.verticalHasArrows : false), verticalSliderSize: (typeof opts.verticalSliderSize !== 'undefined' ? opts.verticalSliderSize : 0) }; result.horizontalSliderSize = (typeof opts.horizontalSliderSize !== 'undefined' ? opts.horizontalSliderSize : result.horizontalScrollbarSize); result.verticalSliderSize = (typeof opts.verticalSliderSize !== 'undefined' ? opts.verticalSliderSize : result.verticalScrollbarSize); // Defaults are different on Macs if (__WEBPACK_IMPORTED_MODULE_10__common_platform_js__["d" /* isMacintosh */]) { result.className += ' mac'; } return result; } /***/ }), /***/ 1453: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ServiceCollection; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ServiceCollection = /** @class */ (function () { function ServiceCollection() { var entries = []; for (var _i = 0; _i < arguments.length; _i++) { entries[_i] = arguments[_i]; } this._entries = new Map(); for (var _a = 0, entries_1 = entries; _a < entries_1.length; _a++) { var _b = entries_1[_a], id = _b[0], service = _b[1]; this.set(id, service); } } ServiceCollection.prototype.set = function (id, instanceOrDescriptor) { var result = this._entries.get(id); this._entries.set(id, instanceOrDescriptor); return result; }; ServiceCollection.prototype.has = function (id) { return this._entries.has(id); }; ServiceCollection.prototype.get = function (id) { return this._entries.get(id); }; return ServiceCollection; }()); /***/ }), /***/ 1454: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IAccessibilityService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IAccessibilityService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('accessibilityService'); /***/ }), /***/ 1455: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return IContextViewService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IContextMenuService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IContextViewService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('contextViewService'); var IContextMenuService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('contextMenuService'); /***/ }), /***/ 1561: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return MarkerTag; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return MarkerSeverity; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return KeyCode; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "u", function() { return SelectionDirection; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "t", function() { return ScrollbarVisibility; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "p", function() { return OverviewRulerLane; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return EndOfLinePreference; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return DefaultEndOfLine; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return EndOfLineSequence; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "z", function() { return TrackedRangeStickiness; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "s", function() { return ScrollType; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return CursorChangeReason; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "r", function() { return RenderMinimap; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "A", function() { return WrappingIndent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "x", function() { return TextEditorCursorBlinkingStyle; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "y", function() { return TextEditorCursorStyle; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "q", function() { return RenderLineNumbersType; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return ContentWidgetPositionPreference; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "o", function() { return OverlayWidgetPositionPreference; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return MouseTargetType; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return IndentAction; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return CompletionItemKind; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CompletionItemInsertTextRule; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return CompletionTriggerKind; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "v", function() { return SignatureHelpTriggerKind; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return DocumentHighlightKind; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "w", function() { return SymbolKind; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // THIS IS A GENERATED FILE. DO NOT EDIT DIRECTLY. var MarkerTag; (function (MarkerTag) { MarkerTag[MarkerTag["Unnecessary"] = 1] = "Unnecessary"; })(MarkerTag || (MarkerTag = {})); var MarkerSeverity; (function (MarkerSeverity) { MarkerSeverity[MarkerSeverity["Hint"] = 1] = "Hint"; MarkerSeverity[MarkerSeverity["Info"] = 2] = "Info"; MarkerSeverity[MarkerSeverity["Warning"] = 4] = "Warning"; MarkerSeverity[MarkerSeverity["Error"] = 8] = "Error"; })(MarkerSeverity || (MarkerSeverity = {})); /** * Virtual Key Codes, the value does not hold any inherent meaning. * Inspired somewhat from https://msdn.microsoft.com/en-us/library/windows/desktop/dd375731(v=vs.85).aspx * But these are "more general", as they should work across browsers & OS`s. */ var KeyCode; (function (KeyCode) { /** * Placed first to cover the 0 value of the enum. */ KeyCode[KeyCode["Unknown"] = 0] = "Unknown"; KeyCode[KeyCode["Backspace"] = 1] = "Backspace"; KeyCode[KeyCode["Tab"] = 2] = "Tab"; KeyCode[KeyCode["Enter"] = 3] = "Enter"; KeyCode[KeyCode["Shift"] = 4] = "Shift"; KeyCode[KeyCode["Ctrl"] = 5] = "Ctrl"; KeyCode[KeyCode["Alt"] = 6] = "Alt"; KeyCode[KeyCode["PauseBreak"] = 7] = "PauseBreak"; KeyCode[KeyCode["CapsLock"] = 8] = "CapsLock"; KeyCode[KeyCode["Escape"] = 9] = "Escape"; KeyCode[KeyCode["Space"] = 10] = "Space"; KeyCode[KeyCode["PageUp"] = 11] = "PageUp"; KeyCode[KeyCode["PageDown"] = 12] = "PageDown"; KeyCode[KeyCode["End"] = 13] = "End"; KeyCode[KeyCode["Home"] = 14] = "Home"; KeyCode[KeyCode["LeftArrow"] = 15] = "LeftArrow"; KeyCode[KeyCode["UpArrow"] = 16] = "UpArrow"; KeyCode[KeyCode["RightArrow"] = 17] = "RightArrow"; KeyCode[KeyCode["DownArrow"] = 18] = "DownArrow"; KeyCode[KeyCode["Insert"] = 19] = "Insert"; KeyCode[KeyCode["Delete"] = 20] = "Delete"; KeyCode[KeyCode["KEY_0"] = 21] = "KEY_0"; KeyCode[KeyCode["KEY_1"] = 22] = "KEY_1"; KeyCode[KeyCode["KEY_2"] = 23] = "KEY_2"; KeyCode[KeyCode["KEY_3"] = 24] = "KEY_3"; KeyCode[KeyCode["KEY_4"] = 25] = "KEY_4"; KeyCode[KeyCode["KEY_5"] = 26] = "KEY_5"; KeyCode[KeyCode["KEY_6"] = 27] = "KEY_6"; KeyCode[KeyCode["KEY_7"] = 28] = "KEY_7"; KeyCode[KeyCode["KEY_8"] = 29] = "KEY_8"; KeyCode[KeyCode["KEY_9"] = 30] = "KEY_9"; KeyCode[KeyCode["KEY_A"] = 31] = "KEY_A"; KeyCode[KeyCode["KEY_B"] = 32] = "KEY_B"; KeyCode[KeyCode["KEY_C"] = 33] = "KEY_C"; KeyCode[KeyCode["KEY_D"] = 34] = "KEY_D"; KeyCode[KeyCode["KEY_E"] = 35] = "KEY_E"; KeyCode[KeyCode["KEY_F"] = 36] = "KEY_F"; KeyCode[KeyCode["KEY_G"] = 37] = "KEY_G"; KeyCode[KeyCode["KEY_H"] = 38] = "KEY_H"; KeyCode[KeyCode["KEY_I"] = 39] = "KEY_I"; KeyCode[KeyCode["KEY_J"] = 40] = "KEY_J"; KeyCode[KeyCode["KEY_K"] = 41] = "KEY_K"; KeyCode[KeyCode["KEY_L"] = 42] = "KEY_L"; KeyCode[KeyCode["KEY_M"] = 43] = "KEY_M"; KeyCode[KeyCode["KEY_N"] = 44] = "KEY_N"; KeyCode[KeyCode["KEY_O"] = 45] = "KEY_O"; KeyCode[KeyCode["KEY_P"] = 46] = "KEY_P"; KeyCode[KeyCode["KEY_Q"] = 47] = "KEY_Q"; KeyCode[KeyCode["KEY_R"] = 48] = "KEY_R"; KeyCode[KeyCode["KEY_S"] = 49] = "KEY_S"; KeyCode[KeyCode["KEY_T"] = 50] = "KEY_T"; KeyCode[KeyCode["KEY_U"] = 51] = "KEY_U"; KeyCode[KeyCode["KEY_V"] = 52] = "KEY_V"; KeyCode[KeyCode["KEY_W"] = 53] = "KEY_W"; KeyCode[KeyCode["KEY_X"] = 54] = "KEY_X"; KeyCode[KeyCode["KEY_Y"] = 55] = "KEY_Y"; KeyCode[KeyCode["KEY_Z"] = 56] = "KEY_Z"; KeyCode[KeyCode["Meta"] = 57] = "Meta"; KeyCode[KeyCode["ContextMenu"] = 58] = "ContextMenu"; KeyCode[KeyCode["F1"] = 59] = "F1"; KeyCode[KeyCode["F2"] = 60] = "F2"; KeyCode[KeyCode["F3"] = 61] = "F3"; KeyCode[KeyCode["F4"] = 62] = "F4"; KeyCode[KeyCode["F5"] = 63] = "F5"; KeyCode[KeyCode["F6"] = 64] = "F6"; KeyCode[KeyCode["F7"] = 65] = "F7"; KeyCode[KeyCode["F8"] = 66] = "F8"; KeyCode[KeyCode["F9"] = 67] = "F9"; KeyCode[KeyCode["F10"] = 68] = "F10"; KeyCode[KeyCode["F11"] = 69] = "F11"; KeyCode[KeyCode["F12"] = 70] = "F12"; KeyCode[KeyCode["F13"] = 71] = "F13"; KeyCode[KeyCode["F14"] = 72] = "F14"; KeyCode[KeyCode["F15"] = 73] = "F15"; KeyCode[KeyCode["F16"] = 74] = "F16"; KeyCode[KeyCode["F17"] = 75] = "F17"; KeyCode[KeyCode["F18"] = 76] = "F18"; KeyCode[KeyCode["F19"] = 77] = "F19"; KeyCode[KeyCode["NumLock"] = 78] = "NumLock"; KeyCode[KeyCode["ScrollLock"] = 79] = "ScrollLock"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the ';:' key */ KeyCode[KeyCode["US_SEMICOLON"] = 80] = "US_SEMICOLON"; /** * For any country/region, the '+' key * For the US standard keyboard, the '=+' key */ KeyCode[KeyCode["US_EQUAL"] = 81] = "US_EQUAL"; /** * For any country/region, the ',' key * For the US standard keyboard, the ',<' key */ KeyCode[KeyCode["US_COMMA"] = 82] = "US_COMMA"; /** * For any country/region, the '-' key * For the US standard keyboard, the '-_' key */ KeyCode[KeyCode["US_MINUS"] = 83] = "US_MINUS"; /** * For any country/region, the '.' key * For the US standard keyboard, the '.>' key */ KeyCode[KeyCode["US_DOT"] = 84] = "US_DOT"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the '/?' key */ KeyCode[KeyCode["US_SLASH"] = 85] = "US_SLASH"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the '`~' key */ KeyCode[KeyCode["US_BACKTICK"] = 86] = "US_BACKTICK"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the '[{' key */ KeyCode[KeyCode["US_OPEN_SQUARE_BRACKET"] = 87] = "US_OPEN_SQUARE_BRACKET"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the '\|' key */ KeyCode[KeyCode["US_BACKSLASH"] = 88] = "US_BACKSLASH"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the ']}' key */ KeyCode[KeyCode["US_CLOSE_SQUARE_BRACKET"] = 89] = "US_CLOSE_SQUARE_BRACKET"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the ''"' key */ KeyCode[KeyCode["US_QUOTE"] = 90] = "US_QUOTE"; /** * Used for miscellaneous characters; it can vary by keyboard. */ KeyCode[KeyCode["OEM_8"] = 91] = "OEM_8"; /** * Either the angle bracket key or the backslash key on the RT 102-key keyboard. */ KeyCode[KeyCode["OEM_102"] = 92] = "OEM_102"; KeyCode[KeyCode["NUMPAD_0"] = 93] = "NUMPAD_0"; KeyCode[KeyCode["NUMPAD_1"] = 94] = "NUMPAD_1"; KeyCode[KeyCode["NUMPAD_2"] = 95] = "NUMPAD_2"; KeyCode[KeyCode["NUMPAD_3"] = 96] = "NUMPAD_3"; KeyCode[KeyCode["NUMPAD_4"] = 97] = "NUMPAD_4"; KeyCode[KeyCode["NUMPAD_5"] = 98] = "NUMPAD_5"; KeyCode[KeyCode["NUMPAD_6"] = 99] = "NUMPAD_6"; KeyCode[KeyCode["NUMPAD_7"] = 100] = "NUMPAD_7"; KeyCode[KeyCode["NUMPAD_8"] = 101] = "NUMPAD_8"; KeyCode[KeyCode["NUMPAD_9"] = 102] = "NUMPAD_9"; KeyCode[KeyCode["NUMPAD_MULTIPLY"] = 103] = "NUMPAD_MULTIPLY"; KeyCode[KeyCode["NUMPAD_ADD"] = 104] = "NUMPAD_ADD"; KeyCode[KeyCode["NUMPAD_SEPARATOR"] = 105] = "NUMPAD_SEPARATOR"; KeyCode[KeyCode["NUMPAD_SUBTRACT"] = 106] = "NUMPAD_SUBTRACT"; KeyCode[KeyCode["NUMPAD_DECIMAL"] = 107] = "NUMPAD_DECIMAL"; KeyCode[KeyCode["NUMPAD_DIVIDE"] = 108] = "NUMPAD_DIVIDE"; /** * Cover all key codes when IME is processing input. */ KeyCode[KeyCode["KEY_IN_COMPOSITION"] = 109] = "KEY_IN_COMPOSITION"; KeyCode[KeyCode["ABNT_C1"] = 110] = "ABNT_C1"; KeyCode[KeyCode["ABNT_C2"] = 111] = "ABNT_C2"; /** * Placed last to cover the length of the enum. * Please do not depend on this value! */ KeyCode[KeyCode["MAX_VALUE"] = 112] = "MAX_VALUE"; })(KeyCode || (KeyCode = {})); /** * The direction of a selection. */ var SelectionDirection; (function (SelectionDirection) { /** * The selection starts above where it ends. */ SelectionDirection[SelectionDirection["LTR"] = 0] = "LTR"; /** * The selection starts below where it ends. */ SelectionDirection[SelectionDirection["RTL"] = 1] = "RTL"; })(SelectionDirection || (SelectionDirection = {})); var ScrollbarVisibility; (function (ScrollbarVisibility) { ScrollbarVisibility[ScrollbarVisibility["Auto"] = 1] = "Auto"; ScrollbarVisibility[ScrollbarVisibility["Hidden"] = 2] = "Hidden"; ScrollbarVisibility[ScrollbarVisibility["Visible"] = 3] = "Visible"; })(ScrollbarVisibility || (ScrollbarVisibility = {})); /** * Vertical Lane in the overview ruler of the editor. */ var OverviewRulerLane; (function (OverviewRulerLane) { OverviewRulerLane[OverviewRulerLane["Left"] = 1] = "Left"; OverviewRulerLane[OverviewRulerLane["Center"] = 2] = "Center"; OverviewRulerLane[OverviewRulerLane["Right"] = 4] = "Right"; OverviewRulerLane[OverviewRulerLane["Full"] = 7] = "Full"; })(OverviewRulerLane || (OverviewRulerLane = {})); /** * End of line character preference. */ var EndOfLinePreference; (function (EndOfLinePreference) { /** * Use the end of line character identified in the text buffer. */ EndOfLinePreference[EndOfLinePreference["TextDefined"] = 0] = "TextDefined"; /** * Use line feed (\n) as the end of line character. */ EndOfLinePreference[EndOfLinePreference["LF"] = 1] = "LF"; /** * Use carriage return and line feed (\r\n) as the end of line character. */ EndOfLinePreference[EndOfLinePreference["CRLF"] = 2] = "CRLF"; })(EndOfLinePreference || (EndOfLinePreference = {})); /** * The default end of line to use when instantiating models. */ var DefaultEndOfLine; (function (DefaultEndOfLine) { /** * Use line feed (\n) as the end of line character. */ DefaultEndOfLine[DefaultEndOfLine["LF"] = 1] = "LF"; /** * Use carriage return and line feed (\r\n) as the end of line character. */ DefaultEndOfLine[DefaultEndOfLine["CRLF"] = 2] = "CRLF"; })(DefaultEndOfLine || (DefaultEndOfLine = {})); /** * End of line character preference. */ var EndOfLineSequence; (function (EndOfLineSequence) { /** * Use line feed (\n) as the end of line character. */ EndOfLineSequence[EndOfLineSequence["LF"] = 0] = "LF"; /** * Use carriage return and line feed (\r\n) as the end of line character. */ EndOfLineSequence[EndOfLineSequence["CRLF"] = 1] = "CRLF"; })(EndOfLineSequence || (EndOfLineSequence = {})); /** * Describes the behavior of decorations when typing/editing near their edges. * Note: Please do not edit the values, as they very carefully match `DecorationRangeBehavior` */ var TrackedRangeStickiness; (function (TrackedRangeStickiness) { TrackedRangeStickiness[TrackedRangeStickiness["AlwaysGrowsWhenTypingAtEdges"] = 0] = "AlwaysGrowsWhenTypingAtEdges"; TrackedRangeStickiness[TrackedRangeStickiness["NeverGrowsWhenTypingAtEdges"] = 1] = "NeverGrowsWhenTypingAtEdges"; TrackedRangeStickiness[TrackedRangeStickiness["GrowsOnlyWhenTypingBefore"] = 2] = "GrowsOnlyWhenTypingBefore"; TrackedRangeStickiness[TrackedRangeStickiness["GrowsOnlyWhenTypingAfter"] = 3] = "GrowsOnlyWhenTypingAfter"; })(TrackedRangeStickiness || (TrackedRangeStickiness = {})); var ScrollType; (function (ScrollType) { ScrollType[ScrollType["Smooth"] = 0] = "Smooth"; ScrollType[ScrollType["Immediate"] = 1] = "Immediate"; })(ScrollType || (ScrollType = {})); /** * Describes the reason the cursor has changed its position. */ var CursorChangeReason; (function (CursorChangeReason) { /** * Unknown or not set. */ CursorChangeReason[CursorChangeReason["NotSet"] = 0] = "NotSet"; /** * A `model.setValue()` was called. */ CursorChangeReason[CursorChangeReason["ContentFlush"] = 1] = "ContentFlush"; /** * The `model` has been changed outside of this cursor and the cursor recovers its position from associated markers. */ CursorChangeReason[CursorChangeReason["RecoverFromMarkers"] = 2] = "RecoverFromMarkers"; /** * There was an explicit user gesture. */ CursorChangeReason[CursorChangeReason["Explicit"] = 3] = "Explicit"; /** * There was a Paste. */ CursorChangeReason[CursorChangeReason["Paste"] = 4] = "Paste"; /** * There was an Undo. */ CursorChangeReason[CursorChangeReason["Undo"] = 5] = "Undo"; /** * There was a Redo. */ CursorChangeReason[CursorChangeReason["Redo"] = 6] = "Redo"; })(CursorChangeReason || (CursorChangeReason = {})); var RenderMinimap; (function (RenderMinimap) { RenderMinimap[RenderMinimap["None"] = 0] = "None"; RenderMinimap[RenderMinimap["Small"] = 1] = "Small"; RenderMinimap[RenderMinimap["Large"] = 2] = "Large"; RenderMinimap[RenderMinimap["SmallBlocks"] = 3] = "SmallBlocks"; RenderMinimap[RenderMinimap["LargeBlocks"] = 4] = "LargeBlocks"; })(RenderMinimap || (RenderMinimap = {})); /** * Describes how to indent wrapped lines. */ var WrappingIndent; (function (WrappingIndent) { /** * No indentation => wrapped lines begin at column 1. */ WrappingIndent[WrappingIndent["None"] = 0] = "None"; /** * Same => wrapped lines get the same indentation as the parent. */ WrappingIndent[WrappingIndent["Same"] = 1] = "Same"; /** * Indent => wrapped lines get +1 indentation toward the parent. */ WrappingIndent[WrappingIndent["Indent"] = 2] = "Indent"; /** * DeepIndent => wrapped lines get +2 indentation toward the parent. */ WrappingIndent[WrappingIndent["DeepIndent"] = 3] = "DeepIndent"; })(WrappingIndent || (WrappingIndent = {})); /** * The kind of animation in which the editor's cursor should be rendered. */ var TextEditorCursorBlinkingStyle; (function (TextEditorCursorBlinkingStyle) { /** * Hidden */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Hidden"] = 0] = "Hidden"; /** * Blinking */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Blink"] = 1] = "Blink"; /** * Blinking with smooth fading */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Smooth"] = 2] = "Smooth"; /** * Blinking with prolonged filled state and smooth fading */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Phase"] = 3] = "Phase"; /** * Expand collapse animation on the y axis */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Expand"] = 4] = "Expand"; /** * No-Blinking */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Solid"] = 5] = "Solid"; })(TextEditorCursorBlinkingStyle || (TextEditorCursorBlinkingStyle = {})); /** * The style in which the editor's cursor should be rendered. */ var TextEditorCursorStyle; (function (TextEditorCursorStyle) { /** * As a vertical line (sitting between two characters). */ TextEditorCursorStyle[TextEditorCursorStyle["Line"] = 1] = "Line"; /** * As a block (sitting on top of a character). */ TextEditorCursorStyle[TextEditorCursorStyle["Block"] = 2] = "Block"; /** * As a horizontal line (sitting under a character). */ TextEditorCursorStyle[TextEditorCursorStyle["Underline"] = 3] = "Underline"; /** * As a thin vertical line (sitting between two characters). */ TextEditorCursorStyle[TextEditorCursorStyle["LineThin"] = 4] = "LineThin"; /** * As an outlined block (sitting on top of a character). */ TextEditorCursorStyle[TextEditorCursorStyle["BlockOutline"] = 5] = "BlockOutline"; /** * As a thin horizontal line (sitting under a character). */ TextEditorCursorStyle[TextEditorCursorStyle["UnderlineThin"] = 6] = "UnderlineThin"; })(TextEditorCursorStyle || (TextEditorCursorStyle = {})); var RenderLineNumbersType; (function (RenderLineNumbersType) { RenderLineNumbersType[RenderLineNumbersType["Off"] = 0] = "Off"; RenderLineNumbersType[RenderLineNumbersType["On"] = 1] = "On"; RenderLineNumbersType[RenderLineNumbersType["Relative"] = 2] = "Relative"; RenderLineNumbersType[RenderLineNumbersType["Interval"] = 3] = "Interval"; RenderLineNumbersType[RenderLineNumbersType["Custom"] = 4] = "Custom"; })(RenderLineNumbersType || (RenderLineNumbersType = {})); /** * A positioning preference for rendering content widgets. */ var ContentWidgetPositionPreference; (function (ContentWidgetPositionPreference) { /** * Place the content widget exactly at a position */ ContentWidgetPositionPreference[ContentWidgetPositionPreference["EXACT"] = 0] = "EXACT"; /** * Place the content widget above a position */ ContentWidgetPositionPreference[ContentWidgetPositionPreference["ABOVE"] = 1] = "ABOVE"; /** * Place the content widget below a position */ ContentWidgetPositionPreference[ContentWidgetPositionPreference["BELOW"] = 2] = "BELOW"; })(ContentWidgetPositionPreference || (ContentWidgetPositionPreference = {})); /** * A positioning preference for rendering overlay widgets. */ var OverlayWidgetPositionPreference; (function (OverlayWidgetPositionPreference) { /** * Position the overlay widget in the top right corner */ OverlayWidgetPositionPreference[OverlayWidgetPositionPreference["TOP_RIGHT_CORNER"] = 0] = "TOP_RIGHT_CORNER"; /** * Position the overlay widget in the bottom right corner */ OverlayWidgetPositionPreference[OverlayWidgetPositionPreference["BOTTOM_RIGHT_CORNER"] = 1] = "BOTTOM_RIGHT_CORNER"; /** * Position the overlay widget in the top center */ OverlayWidgetPositionPreference[OverlayWidgetPositionPreference["TOP_CENTER"] = 2] = "TOP_CENTER"; })(OverlayWidgetPositionPreference || (OverlayWidgetPositionPreference = {})); /** * Type of hit element with the mouse in the editor. */ var MouseTargetType; (function (MouseTargetType) { /** * Mouse is on top of an unknown element. */ MouseTargetType[MouseTargetType["UNKNOWN"] = 0] = "UNKNOWN"; /** * Mouse is on top of the textarea used for input. */ MouseTargetType[MouseTargetType["TEXTAREA"] = 1] = "TEXTAREA"; /** * Mouse is on top of the glyph margin */ MouseTargetType[MouseTargetType["GUTTER_GLYPH_MARGIN"] = 2] = "GUTTER_GLYPH_MARGIN"; /** * Mouse is on top of the line numbers */ MouseTargetType[MouseTargetType["GUTTER_LINE_NUMBERS"] = 3] = "GUTTER_LINE_NUMBERS"; /** * Mouse is on top of the line decorations */ MouseTargetType[MouseTargetType["GUTTER_LINE_DECORATIONS"] = 4] = "GUTTER_LINE_DECORATIONS"; /** * Mouse is on top of the whitespace left in the gutter by a view zone. */ MouseTargetType[MouseTargetType["GUTTER_VIEW_ZONE"] = 5] = "GUTTER_VIEW_ZONE"; /** * Mouse is on top of text in the content. */ MouseTargetType[MouseTargetType["CONTENT_TEXT"] = 6] = "CONTENT_TEXT"; /** * Mouse is on top of empty space in the content (e.g. after line text or below last line) */ MouseTargetType[MouseTargetType["CONTENT_EMPTY"] = 7] = "CONTENT_EMPTY"; /** * Mouse is on top of a view zone in the content. */ MouseTargetType[MouseTargetType["CONTENT_VIEW_ZONE"] = 8] = "CONTENT_VIEW_ZONE"; /** * Mouse is on top of a content widget. */ MouseTargetType[MouseTargetType["CONTENT_WIDGET"] = 9] = "CONTENT_WIDGET"; /** * Mouse is on top of the decorations overview ruler. */ MouseTargetType[MouseTargetType["OVERVIEW_RULER"] = 10] = "OVERVIEW_RULER"; /** * Mouse is on top of a scrollbar. */ MouseTargetType[MouseTargetType["SCROLLBAR"] = 11] = "SCROLLBAR"; /** * Mouse is on top of an overlay widget. */ MouseTargetType[MouseTargetType["OVERLAY_WIDGET"] = 12] = "OVERLAY_WIDGET"; /** * Mouse is outside of the editor. */ MouseTargetType[MouseTargetType["OUTSIDE_EDITOR"] = 13] = "OUTSIDE_EDITOR"; })(MouseTargetType || (MouseTargetType = {})); /** * Describes what to do with the indentation when pressing Enter. */ var IndentAction; (function (IndentAction) { /** * Insert new line and copy the previous line's indentation. */ IndentAction[IndentAction["None"] = 0] = "None"; /** * Insert new line and indent once (relative to the previous line's indentation). */ IndentAction[IndentAction["Indent"] = 1] = "Indent"; /** * Insert two new lines: * - the first one indented which will hold the cursor * - the second one at the same indentation level */ IndentAction[IndentAction["IndentOutdent"] = 2] = "IndentOutdent"; /** * Insert new line and outdent once (relative to the previous line's indentation). */ IndentAction[IndentAction["Outdent"] = 3] = "Outdent"; })(IndentAction || (IndentAction = {})); var CompletionItemKind; (function (CompletionItemKind) { CompletionItemKind[CompletionItemKind["Method"] = 0] = "Method"; CompletionItemKind[CompletionItemKind["Function"] = 1] = "Function"; CompletionItemKind[CompletionItemKind["Constructor"] = 2] = "Constructor"; CompletionItemKind[CompletionItemKind["Field"] = 3] = "Field"; CompletionItemKind[CompletionItemKind["Variable"] = 4] = "Variable"; CompletionItemKind[CompletionItemKind["Class"] = 5] = "Class"; CompletionItemKind[CompletionItemKind["Struct"] = 6] = "Struct"; CompletionItemKind[CompletionItemKind["Interface"] = 7] = "Interface"; CompletionItemKind[CompletionItemKind["Module"] = 8] = "Module"; CompletionItemKind[CompletionItemKind["Property"] = 9] = "Property"; CompletionItemKind[CompletionItemKind["Event"] = 10] = "Event"; CompletionItemKind[CompletionItemKind["Operator"] = 11] = "Operator"; CompletionItemKind[CompletionItemKind["Unit"] = 12] = "Unit"; CompletionItemKind[CompletionItemKind["Value"] = 13] = "Value"; CompletionItemKind[CompletionItemKind["Constant"] = 14] = "Constant"; CompletionItemKind[CompletionItemKind["Enum"] = 15] = "Enum"; CompletionItemKind[CompletionItemKind["EnumMember"] = 16] = "EnumMember"; CompletionItemKind[CompletionItemKind["Keyword"] = 17] = "Keyword"; CompletionItemKind[CompletionItemKind["Text"] = 18] = "Text"; CompletionItemKind[CompletionItemKind["Color"] = 19] = "Color"; CompletionItemKind[CompletionItemKind["File"] = 20] = "File"; CompletionItemKind[CompletionItemKind["Reference"] = 21] = "Reference"; CompletionItemKind[CompletionItemKind["Customcolor"] = 22] = "Customcolor"; CompletionItemKind[CompletionItemKind["Folder"] = 23] = "Folder"; CompletionItemKind[CompletionItemKind["TypeParameter"] = 24] = "TypeParameter"; CompletionItemKind[CompletionItemKind["Snippet"] = 25] = "Snippet"; })(CompletionItemKind || (CompletionItemKind = {})); var CompletionItemInsertTextRule; (function (CompletionItemInsertTextRule) { /** * Adjust whitespace/indentation of multiline insert texts to * match the current line indentation. */ CompletionItemInsertTextRule[CompletionItemInsertTextRule["KeepWhitespace"] = 1] = "KeepWhitespace"; /** * `insertText` is a snippet. */ CompletionItemInsertTextRule[CompletionItemInsertTextRule["InsertAsSnippet"] = 4] = "InsertAsSnippet"; })(CompletionItemInsertTextRule || (CompletionItemInsertTextRule = {})); /** * How a suggest provider was triggered. */ var CompletionTriggerKind; (function (CompletionTriggerKind) { CompletionTriggerKind[CompletionTriggerKind["Invoke"] = 0] = "Invoke"; CompletionTriggerKind[CompletionTriggerKind["TriggerCharacter"] = 1] = "TriggerCharacter"; CompletionTriggerKind[CompletionTriggerKind["TriggerForIncompleteCompletions"] = 2] = "TriggerForIncompleteCompletions"; })(CompletionTriggerKind || (CompletionTriggerKind = {})); var SignatureHelpTriggerKind; (function (SignatureHelpTriggerKind) { SignatureHelpTriggerKind[SignatureHelpTriggerKind["Invoke"] = 1] = "Invoke"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["TriggerCharacter"] = 2] = "TriggerCharacter"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["ContentChange"] = 3] = "ContentChange"; })(SignatureHelpTriggerKind || (SignatureHelpTriggerKind = {})); /** * A document highlight kind. */ var DocumentHighlightKind; (function (DocumentHighlightKind) { /** * A textual occurrence. */ DocumentHighlightKind[DocumentHighlightKind["Text"] = 0] = "Text"; /** * Read-access of a symbol, like reading a variable. */ DocumentHighlightKind[DocumentHighlightKind["Read"] = 1] = "Read"; /** * Write-access of a symbol, like writing to a variable. */ DocumentHighlightKind[DocumentHighlightKind["Write"] = 2] = "Write"; })(DocumentHighlightKind || (DocumentHighlightKind = {})); /** * A symbol kind. */ var SymbolKind; (function (SymbolKind) { SymbolKind[SymbolKind["File"] = 0] = "File"; SymbolKind[SymbolKind["Module"] = 1] = "Module"; SymbolKind[SymbolKind["Namespace"] = 2] = "Namespace"; SymbolKind[SymbolKind["Package"] = 3] = "Package"; SymbolKind[SymbolKind["Class"] = 4] = "Class"; SymbolKind[SymbolKind["Method"] = 5] = "Method"; SymbolKind[SymbolKind["Property"] = 6] = "Property"; SymbolKind[SymbolKind["Field"] = 7] = "Field"; SymbolKind[SymbolKind["Constructor"] = 8] = "Constructor"; SymbolKind[SymbolKind["Enum"] = 9] = "Enum"; SymbolKind[SymbolKind["Interface"] = 10] = "Interface"; SymbolKind[SymbolKind["Function"] = 11] = "Function"; SymbolKind[SymbolKind["Variable"] = 12] = "Variable"; SymbolKind[SymbolKind["Constant"] = 13] = "Constant"; SymbolKind[SymbolKind["String"] = 14] = "String"; SymbolKind[SymbolKind["Number"] = 15] = "Number"; SymbolKind[SymbolKind["Boolean"] = 16] = "Boolean"; SymbolKind[SymbolKind["Array"] = 17] = "Array"; SymbolKind[SymbolKind["Object"] = 18] = "Object"; SymbolKind[SymbolKind["Key"] = 19] = "Key"; SymbolKind[SymbolKind["Null"] = 20] = "Null"; SymbolKind[SymbolKind["EnumMember"] = 21] = "EnumMember"; SymbolKind[SymbolKind["Struct"] = 22] = "Struct"; SymbolKind[SymbolKind["Event"] = 23] = "Event"; SymbolKind[SymbolKind["Operator"] = 24] = "Operator"; SymbolKind[SymbolKind["TypeParameter"] = 25] = "TypeParameter"; })(SymbolKind || (SymbolKind = {})); /***/ }), /***/ 1562: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return BareFontInfo; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return FontInfo; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__editorZoom_js__ = __webpack_require__(1563); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * Determined from empirical observations. * @internal */ var GOLDEN_LINE_HEIGHT_RATIO = __WEBPACK_IMPORTED_MODULE_0__base_common_platform_js__["d" /* isMacintosh */] ? 1.5 : 1.35; /** * Font settings maximum and minimum limits */ var MINIMUM_FONT_SIZE = 8; var MAXIMUM_FONT_SIZE = 100; var MINIMUM_LINE_HEIGHT = 8; var MAXIMUM_LINE_HEIGHT = 150; var MINIMUM_LETTER_SPACING = -5; var MAXIMUM_LETTER_SPACING = 20; function safeParseFloat(n, defaultValue) { if (typeof n === 'number') { return n; } if (typeof n === 'undefined') { return defaultValue; } var r = parseFloat(n); if (isNaN(r)) { return defaultValue; } return r; } function safeParseInt(n, defaultValue) { if (typeof n === 'number') { return Math.round(n); } if (typeof n === 'undefined') { return defaultValue; } var r = parseInt(n); if (isNaN(r)) { return defaultValue; } return r; } function clamp(n, min, max) { if (n < min) { return min; } if (n > max) { return max; } return n; } function _string(value, defaultValue) { if (typeof value !== 'string') { return defaultValue; } return value; } var BareFontInfo = /** @class */ (function () { /** * @internal */ function BareFontInfo(opts) { this.zoomLevel = opts.zoomLevel; this.fontFamily = String(opts.fontFamily); this.fontWeight = String(opts.fontWeight); this.fontSize = opts.fontSize; this.lineHeight = opts.lineHeight | 0; this.letterSpacing = opts.letterSpacing; } /** * @internal */ BareFontInfo.createFromRawSettings = function (opts, zoomLevel) { var fontFamily = _string(opts.fontFamily, __WEBPACK_IMPORTED_MODULE_1__editorOptions_js__["b" /* EDITOR_FONT_DEFAULTS */].fontFamily); var fontWeight = _string(opts.fontWeight, __WEBPACK_IMPORTED_MODULE_1__editorOptions_js__["b" /* EDITOR_FONT_DEFAULTS */].fontWeight); var fontSize = safeParseFloat(opts.fontSize, __WEBPACK_IMPORTED_MODULE_1__editorOptions_js__["b" /* EDITOR_FONT_DEFAULTS */].fontSize); fontSize = clamp(fontSize, 0, MAXIMUM_FONT_SIZE); if (fontSize === 0) { fontSize = __WEBPACK_IMPORTED_MODULE_1__editorOptions_js__["b" /* EDITOR_FONT_DEFAULTS */].fontSize; } else if (fontSize < MINIMUM_FONT_SIZE) { fontSize = MINIMUM_FONT_SIZE; } var lineHeight = safeParseInt(opts.lineHeight, 0); lineHeight = clamp(lineHeight, 0, MAXIMUM_LINE_HEIGHT); if (lineHeight === 0) { lineHeight = Math.round(GOLDEN_LINE_HEIGHT_RATIO * fontSize); } else if (lineHeight < MINIMUM_LINE_HEIGHT) { lineHeight = MINIMUM_LINE_HEIGHT; } var letterSpacing = safeParseFloat(opts.letterSpacing, 0); letterSpacing = clamp(letterSpacing, MINIMUM_LETTER_SPACING, MAXIMUM_LETTER_SPACING); var editorZoomLevelMultiplier = 1 + (__WEBPACK_IMPORTED_MODULE_2__editorZoom_js__["a" /* EditorZoom */].getZoomLevel() * 0.1); fontSize *= editorZoomLevelMultiplier; lineHeight *= editorZoomLevelMultiplier; return new BareFontInfo({ zoomLevel: zoomLevel, fontFamily: fontFamily, fontWeight: fontWeight, fontSize: fontSize, lineHeight: lineHeight, letterSpacing: letterSpacing }); }; /** * @internal */ BareFontInfo.prototype.getId = function () { return this.zoomLevel + '-' + this.fontFamily + '-' + this.fontWeight + '-' + this.fontSize + '-' + this.lineHeight + '-' + this.letterSpacing; }; /** * @internal */ BareFontInfo.prototype.getMassagedFontFamily = function () { if (/[,"']/.test(this.fontFamily)) { // Looks like the font family might be already escaped return this.fontFamily; } if (/[+ ]/.test(this.fontFamily)) { // Wrap a font family using + or <space> with quotes return "\"" + this.fontFamily + "\""; } return this.fontFamily; }; return BareFontInfo; }()); var FontInfo = /** @class */ (function (_super) { __extends(FontInfo, _super); /** * @internal */ function FontInfo(opts, isTrusted) { var _this = _super.call(this, opts) || this; _this.isTrusted = isTrusted; _this.isMonospace = opts.isMonospace; _this.typicalHalfwidthCharacterWidth = opts.typicalHalfwidthCharacterWidth; _this.typicalFullwidthCharacterWidth = opts.typicalFullwidthCharacterWidth; _this.canUseHalfwidthRightwardsArrow = opts.canUseHalfwidthRightwardsArrow; _this.spaceWidth = opts.spaceWidth; _this.maxDigitWidth = opts.maxDigitWidth; return _this; } /** * @internal */ FontInfo.prototype.equals = function (other) { return (this.fontFamily === other.fontFamily && this.fontWeight === other.fontWeight && this.fontSize === other.fontSize && this.lineHeight === other.lineHeight && this.letterSpacing === other.letterSpacing && this.typicalHalfwidthCharacterWidth === other.typicalHalfwidthCharacterWidth && this.typicalFullwidthCharacterWidth === other.typicalFullwidthCharacterWidth && this.canUseHalfwidthRightwardsArrow === other.canUseHalfwidthRightwardsArrow && this.spaceWidth === other.spaceWidth && this.maxDigitWidth === other.maxDigitWidth); }; return FontInfo; }(BareFontInfo)); /***/ }), /***/ 1563: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditorZoom; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var EditorZoom = new /** @class */ (function () { function class_1() { this._zoomLevel = 0; this._onDidChangeZoomLevel = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); this.onDidChangeZoomLevel = this._onDidChangeZoomLevel.event; } class_1.prototype.getZoomLevel = function () { return this._zoomLevel; }; class_1.prototype.setZoomLevel = function (zoomLevel) { zoomLevel = Math.min(Math.max(-5, zoomLevel), 20); if (this._zoomLevel === zoomLevel) { return; } this._zoomLevel = zoomLevel; this._onDidChangeZoomLevel.fire(this._zoomLevel); }; return class_1; }()); /***/ }), /***/ 1564: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = createScopedLineTokens; /* unused harmony export ScopedLineTokens */ /* harmony export (immutable) */ __webpack_exports__["b"] = ignoreBracketsInToken; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function createScopedLineTokens(context, offset) { var tokenCount = context.getCount(); var tokenIndex = context.findTokenIndexAtOffset(offset); var desiredLanguageId = context.getLanguageId(tokenIndex); var lastTokenIndex = tokenIndex; while (lastTokenIndex + 1 < tokenCount && context.getLanguageId(lastTokenIndex + 1) === desiredLanguageId) { lastTokenIndex++; } var firstTokenIndex = tokenIndex; while (firstTokenIndex > 0 && context.getLanguageId(firstTokenIndex - 1) === desiredLanguageId) { firstTokenIndex--; } return new ScopedLineTokens(context, desiredLanguageId, firstTokenIndex, lastTokenIndex + 1, context.getStartOffset(firstTokenIndex), context.getEndOffset(lastTokenIndex)); } var ScopedLineTokens = /** @class */ (function () { function ScopedLineTokens(actual, languageId, firstTokenIndex, lastTokenIndex, firstCharOffset, lastCharOffset) { this._actual = actual; this.languageId = languageId; this._firstTokenIndex = firstTokenIndex; this._lastTokenIndex = lastTokenIndex; this.firstCharOffset = firstCharOffset; this._lastCharOffset = lastCharOffset; } ScopedLineTokens.prototype.getLineContent = function () { var actualLineContent = this._actual.getLineContent(); return actualLineContent.substring(this.firstCharOffset, this._lastCharOffset); }; ScopedLineTokens.prototype.getTokenCount = function () { return this._lastTokenIndex - this._firstTokenIndex; }; ScopedLineTokens.prototype.findTokenIndexAtOffset = function (offset) { return this._actual.findTokenIndexAtOffset(offset + this.firstCharOffset) - this._firstTokenIndex; }; ScopedLineTokens.prototype.getStandardTokenType = function (tokenIndex) { return this._actual.getStandardTokenType(tokenIndex + this._firstTokenIndex); }; return ScopedLineTokens; }()); function ignoreBracketsInToken(standardTokenType) { return (standardTokenType & 7 /* value */) !== 0; } /***/ }), /***/ 1565: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export RichEditBracket */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return RichEditBrackets; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return BracketsUtils; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var RichEditBracket = /** @class */ (function () { function RichEditBracket(languageIdentifier, open, close, forwardRegex, reversedRegex) { this.languageIdentifier = languageIdentifier; this.open = open; this.close = close; this.forwardRegex = forwardRegex; this.reversedRegex = reversedRegex; } return RichEditBracket; }()); var RichEditBrackets = /** @class */ (function () { function RichEditBrackets(languageIdentifier, brackets) { var _this = this; this.brackets = brackets.map(function (b) { return new RichEditBracket(languageIdentifier, b[0], b[1], getRegexForBracketPair({ open: b[0], close: b[1] }), getReversedRegexForBracketPair({ open: b[0], close: b[1] })); }); this.forwardRegex = getRegexForBrackets(this.brackets); this.reversedRegex = getReversedRegexForBrackets(this.brackets); this.textIsBracket = {}; this.textIsOpenBracket = {}; var maxBracketLength = 0; this.brackets.forEach(function (b) { _this.textIsBracket[b.open.toLowerCase()] = b; _this.textIsBracket[b.close.toLowerCase()] = b; _this.textIsOpenBracket[b.open.toLowerCase()] = true; _this.textIsOpenBracket[b.close.toLowerCase()] = false; maxBracketLength = Math.max(maxBracketLength, b.open.length); maxBracketLength = Math.max(maxBracketLength, b.close.length); }); this.maxBracketLength = maxBracketLength; } return RichEditBrackets; }()); function once(keyFn, computeFn) { var cache = {}; return function (input) { var key = keyFn(input); if (!cache.hasOwnProperty(key)) { cache[key] = computeFn(input); } return cache[key]; }; } var getRegexForBracketPair = once(function (input) { return input.open + ";" + input.close; }, function (input) { return createBracketOrRegExp([input.open, input.close]); }); var getReversedRegexForBracketPair = once(function (input) { return input.open + ";" + input.close; }, function (input) { return createBracketOrRegExp([toReversedString(input.open), toReversedString(input.close)]); }); var getRegexForBrackets = once(function (input) { return input.map(function (b) { return b.open + ";" + b.close; }).join(';'); }, function (input) { var pieces = []; input.forEach(function (b) { pieces.push(b.open); pieces.push(b.close); }); return createBracketOrRegExp(pieces); }); var getReversedRegexForBrackets = once(function (input) { return input.map(function (b) { return b.open + ";" + b.close; }).join(';'); }, function (input) { var pieces = []; input.forEach(function (b) { pieces.push(toReversedString(b.open)); pieces.push(toReversedString(b.close)); }); return createBracketOrRegExp(pieces); }); function prepareBracketForRegExp(str) { // This bracket pair uses letters like e.g. "begin" - "end" var insertWordBoundaries = (/^[\w]+$/.test(str)); str = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["m" /* escapeRegExpCharacters */](str); return (insertWordBoundaries ? "\\b" + str + "\\b" : str); } function createBracketOrRegExp(pieces) { var regexStr = "(" + pieces.map(prepareBracketForRegExp).join(')|(') + ")"; return __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["h" /* createRegExp */](regexStr, true); } var toReversedString = (function () { function reverse(str) { var reversedStr = ''; for (var i = str.length - 1; i >= 0; i--) { reversedStr += str.charAt(i); } return reversedStr; } var lastInput = null; var lastOutput = null; return function toReversedString(str) { if (lastInput !== str) { lastInput = str; lastOutput = reverse(lastInput); } return lastOutput; }; })(); var BracketsUtils = /** @class */ (function () { function BracketsUtils() { } BracketsUtils._findPrevBracketInText = function (reversedBracketRegex, lineNumber, reversedText, offset) { var m = reversedText.match(reversedBracketRegex); if (!m) { return null; } var matchOffset = reversedText.length - (m.index || 0); var matchLength = m[0].length; var absoluteMatchOffset = offset + matchOffset; return new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](lineNumber, absoluteMatchOffset - matchLength + 1, lineNumber, absoluteMatchOffset + 1); }; BracketsUtils.findPrevBracketInToken = function (reversedBracketRegex, lineNumber, lineText, currentTokenStart, currentTokenEnd) { // Because JS does not support backwards regex search, we search forwards in a reversed string with a reversed regex ;) var reversedLineText = toReversedString(lineText); var reversedTokenText = reversedLineText.substring(lineText.length - currentTokenEnd, lineText.length - currentTokenStart); return this._findPrevBracketInText(reversedBracketRegex, lineNumber, reversedTokenText, currentTokenStart); }; BracketsUtils.findNextBracketInText = function (bracketRegex, lineNumber, text, offset) { var m = text.match(bracketRegex); if (!m) { return null; } var matchOffset = m.index || 0; var matchLength = m[0].length; if (matchLength === 0) { return null; } var absoluteMatchOffset = offset + matchOffset; return new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](lineNumber, absoluteMatchOffset + 1, lineNumber, absoluteMatchOffset + 1 + matchLength); }; BracketsUtils.findNextBracketInToken = function (bracketRegex, lineNumber, lineText, currentTokenStart, currentTokenEnd) { var currentTokenText = lineText.substring(currentTokenStart, currentTokenEnd); return this.findNextBracketInText(bracketRegex, lineNumber, currentTokenText, currentTokenStart); }; return BracketsUtils; }()); /***/ }), /***/ 1566: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export PrefixSumIndexOfResult */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PrefixSumComputer; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return PrefixSumComputerWithCache; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_uint_js__ = __webpack_require__(1444); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var PrefixSumIndexOfResult = /** @class */ (function () { function PrefixSumIndexOfResult(index, remainder) { this.index = index; this.remainder = remainder; } return PrefixSumIndexOfResult; }()); var PrefixSumComputer = /** @class */ (function () { function PrefixSumComputer(values) { this.values = values; this.prefixSum = new Uint32Array(values.length); this.prefixSumValidIndex = new Int32Array(1); this.prefixSumValidIndex[0] = -1; } PrefixSumComputer.prototype.getCount = function () { return this.values.length; }; PrefixSumComputer.prototype.insertValues = function (insertIndex, insertValues) { insertIndex = Object(__WEBPACK_IMPORTED_MODULE_0__core_uint_js__["b" /* toUint32 */])(insertIndex); var oldValues = this.values; var oldPrefixSum = this.prefixSum; var insertValuesLen = insertValues.length; if (insertValuesLen === 0) { return false; } this.values = new Uint32Array(oldValues.length + insertValuesLen); this.values.set(oldValues.subarray(0, insertIndex), 0); this.values.set(oldValues.subarray(insertIndex), insertIndex + insertValuesLen); this.values.set(insertValues, insertIndex); if (insertIndex - 1 < this.prefixSumValidIndex[0]) { this.prefixSumValidIndex[0] = insertIndex - 1; } this.prefixSum = new Uint32Array(this.values.length); if (this.prefixSumValidIndex[0] >= 0) { this.prefixSum.set(oldPrefixSum.subarray(0, this.prefixSumValidIndex[0] + 1)); } return true; }; PrefixSumComputer.prototype.changeValue = function (index, value) { index = Object(__WEBPACK_IMPORTED_MODULE_0__core_uint_js__["b" /* toUint32 */])(index); value = Object(__WEBPACK_IMPORTED_MODULE_0__core_uint_js__["b" /* toUint32 */])(value); if (this.values[index] === value) { return false; } this.values[index] = value; if (index - 1 < this.prefixSumValidIndex[0]) { this.prefixSumValidIndex[0] = index - 1; } return true; }; PrefixSumComputer.prototype.removeValues = function (startIndex, cnt) { startIndex = Object(__WEBPACK_IMPORTED_MODULE_0__core_uint_js__["b" /* toUint32 */])(startIndex); cnt = Object(__WEBPACK_IMPORTED_MODULE_0__core_uint_js__["b" /* toUint32 */])(cnt); var oldValues = this.values; var oldPrefixSum = this.prefixSum; if (startIndex >= oldValues.length) { return false; } var maxCnt = oldValues.length - startIndex; if (cnt >= maxCnt) { cnt = maxCnt; } if (cnt === 0) { return false; } this.values = new Uint32Array(oldValues.length - cnt); this.values.set(oldValues.subarray(0, startIndex), 0); this.values.set(oldValues.subarray(startIndex + cnt), startIndex); this.prefixSum = new Uint32Array(this.values.length); if (startIndex - 1 < this.prefixSumValidIndex[0]) { this.prefixSumValidIndex[0] = startIndex - 1; } if (this.prefixSumValidIndex[0] >= 0) { this.prefixSum.set(oldPrefixSum.subarray(0, this.prefixSumValidIndex[0] + 1)); } return true; }; PrefixSumComputer.prototype.getTotalValue = function () { if (this.values.length === 0) { return 0; } return this._getAccumulatedValue(this.values.length - 1); }; PrefixSumComputer.prototype.getAccumulatedValue = function (index) { if (index < 0) { return 0; } index = Object(__WEBPACK_IMPORTED_MODULE_0__core_uint_js__["b" /* toUint32 */])(index); return this._getAccumulatedValue(index); }; PrefixSumComputer.prototype._getAccumulatedValue = function (index) { if (index <= this.prefixSumValidIndex[0]) { return this.prefixSum[index]; } var startIndex = this.prefixSumValidIndex[0] + 1; if (startIndex === 0) { this.prefixSum[0] = this.values[0]; startIndex++; } if (index >= this.values.length) { index = this.values.length - 1; } for (var i = startIndex; i <= index; i++) { this.prefixSum[i] = this.prefixSum[i - 1] + this.values[i]; } this.prefixSumValidIndex[0] = Math.max(this.prefixSumValidIndex[0], index); return this.prefixSum[index]; }; PrefixSumComputer.prototype.getIndexOf = function (accumulatedValue) { accumulatedValue = Math.floor(accumulatedValue); //@perf // Compute all sums (to get a fully valid prefixSum) this.getTotalValue(); var low = 0; var high = this.values.length - 1; var mid = 0; var midStop = 0; var midStart = 0; while (low <= high) { mid = low + ((high - low) / 2) | 0; midStop = this.prefixSum[mid]; midStart = midStop - this.values[mid]; if (accumulatedValue < midStart) { high = mid - 1; } else if (accumulatedValue >= midStop) { low = mid + 1; } else { break; } } return new PrefixSumIndexOfResult(mid, accumulatedValue - midStart); }; return PrefixSumComputer; }()); var PrefixSumComputerWithCache = /** @class */ (function () { function PrefixSumComputerWithCache(values) { this._cacheAccumulatedValueStart = 0; this._cache = null; this._actual = new PrefixSumComputer(values); this._bustCache(); } PrefixSumComputerWithCache.prototype._bustCache = function () { this._cacheAccumulatedValueStart = 0; this._cache = null; }; PrefixSumComputerWithCache.prototype.insertValues = function (insertIndex, insertValues) { if (this._actual.insertValues(insertIndex, insertValues)) { this._bustCache(); } }; PrefixSumComputerWithCache.prototype.changeValue = function (index, value) { if (this._actual.changeValue(index, value)) { this._bustCache(); } }; PrefixSumComputerWithCache.prototype.removeValues = function (startIndex, cnt) { if (this._actual.removeValues(startIndex, cnt)) { this._bustCache(); } }; PrefixSumComputerWithCache.prototype.getTotalValue = function () { return this._actual.getTotalValue(); }; PrefixSumComputerWithCache.prototype.getAccumulatedValue = function (index) { return this._actual.getAccumulatedValue(index); }; PrefixSumComputerWithCache.prototype.getIndexOf = function (accumulatedValue) { accumulatedValue = Math.floor(accumulatedValue); //@perf if (this._cache !== null) { var cacheIndex = accumulatedValue - this._cacheAccumulatedValueStart; if (cacheIndex >= 0 && cacheIndex < this._cache.length) { // Cache hit! return this._cache[cacheIndex]; } } // Cache miss! return this._actual.getIndexOf(accumulatedValue); }; /** * Gives a hint that a lot of requests are about to come in for these accumulated values. */ PrefixSumComputerWithCache.prototype.warmUpCache = function (accumulatedValueStart, accumulatedValueEnd) { var newCache = []; for (var accumulatedValue = accumulatedValueStart; accumulatedValue <= accumulatedValueEnd; accumulatedValue++) { newCache[accumulatedValue - accumulatedValueStart] = this.getIndexOf(accumulatedValue); } this._cache = newCache; this._cacheAccumulatedValueStart = accumulatedValueStart; }; return PrefixSumComputerWithCache; }()); /***/ }), /***/ 1567: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CharacterClassifier; }); /* unused harmony export CharacterSet */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__uint_js__ = __webpack_require__(1444); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A fast character classifier that uses a compact array for ASCII values. */ var CharacterClassifier = /** @class */ (function () { function CharacterClassifier(_defaultValue) { var defaultValue = Object(__WEBPACK_IMPORTED_MODULE_0__uint_js__["d" /* toUint8 */])(_defaultValue); this._defaultValue = defaultValue; this._asciiMap = CharacterClassifier._createAsciiMap(defaultValue); this._map = new Map(); } CharacterClassifier._createAsciiMap = function (defaultValue) { var asciiMap = new Uint8Array(256); for (var i = 0; i < 256; i++) { asciiMap[i] = defaultValue; } return asciiMap; }; CharacterClassifier.prototype.set = function (charCode, _value) { var value = Object(__WEBPACK_IMPORTED_MODULE_0__uint_js__["d" /* toUint8 */])(_value); if (charCode >= 0 && charCode < 256) { this._asciiMap[charCode] = value; } else { this._map.set(charCode, value); } }; CharacterClassifier.prototype.get = function (charCode) { if (charCode >= 0 && charCode < 256) { return this._asciiMap[charCode]; } else { return (this._map.get(charCode) || this._defaultValue); } }; return CharacterClassifier; }()); var CharacterSet = /** @class */ (function () { function CharacterSet() { this._actual = new CharacterClassifier(0 /* False */); } CharacterSet.prototype.add = function (charCode) { this._actual.set(charCode, 1 /* True */); }; CharacterSet.prototype.has = function (charCode) { return (this._actual.get(charCode) === 1 /* True */); }; return CharacterSet; }()); /***/ }), /***/ 1568: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ITextResourceConfigurationService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ITextResourcePropertiesService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); var ITextResourceConfigurationService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('textResourceConfigurationService'); var ITextResourcePropertiesService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('textResourcePropertiesService'); /***/ }), /***/ 1569: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return createStringBuilder; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var createStringBuilder; if (typeof TextDecoder !== 'undefined') { createStringBuilder = function (capacity) { return new StringBuilder(capacity); }; } else { createStringBuilder = function (capacity) { return new CompatStringBuilder(); }; } var StringBuilder = /** @class */ (function () { function StringBuilder(capacity) { this._decoder = new TextDecoder('UTF-16LE'); this._capacity = capacity | 0; this._buffer = new Uint16Array(this._capacity); this._completedStrings = null; this._bufferLength = 0; } StringBuilder.prototype.reset = function () { this._completedStrings = null; this._bufferLength = 0; }; StringBuilder.prototype.build = function () { if (this._completedStrings !== null) { this._flushBuffer(); return this._completedStrings.join(''); } return this._buildBuffer(); }; StringBuilder.prototype._buildBuffer = function () { if (this._bufferLength === 0) { return ''; } var view = new Uint16Array(this._buffer.buffer, 0, this._bufferLength); return this._decoder.decode(view); }; StringBuilder.prototype._flushBuffer = function () { var bufferString = this._buildBuffer(); this._bufferLength = 0; if (this._completedStrings === null) { this._completedStrings = [bufferString]; } else { this._completedStrings[this._completedStrings.length] = bufferString; } }; StringBuilder.prototype.write1 = function (charCode) { var remainingSpace = this._capacity - this._bufferLength; if (remainingSpace <= 1) { if (remainingSpace === 0 || __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["t" /* isHighSurrogate */](charCode)) { this._flushBuffer(); } } this._buffer[this._bufferLength++] = charCode; }; StringBuilder.prototype.appendASCII = function (charCode) { if (this._bufferLength === this._capacity) { // buffer is full this._flushBuffer(); } this._buffer[this._bufferLength++] = charCode; }; StringBuilder.prototype.appendASCIIString = function (str) { var strLen = str.length; if (this._bufferLength + strLen >= this._capacity) { // This string does not fit in the remaining buffer space this._flushBuffer(); this._completedStrings[this._completedStrings.length] = str; return; } for (var i = 0; i < strLen; i++) { this._buffer[this._bufferLength++] = str.charCodeAt(i); } }; return StringBuilder; }()); var CompatStringBuilder = /** @class */ (function () { function CompatStringBuilder() { this._pieces = []; this._piecesLen = 0; } CompatStringBuilder.prototype.reset = function () { this._pieces = []; this._piecesLen = 0; }; CompatStringBuilder.prototype.build = function () { return this._pieces.join(''); }; CompatStringBuilder.prototype.write1 = function (charCode) { this._pieces[this._piecesLen++] = String.fromCharCode(charCode); }; CompatStringBuilder.prototype.appendASCII = function (charCode) { this._pieces[this._piecesLen++] = String.fromCharCode(charCode); }; CompatStringBuilder.prototype.appendASCIIString = function (str) { this._pieces[this._piecesLen++] = str; }; return CompatStringBuilder; }()); /***/ }), /***/ 1570: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LineDecoration; }); /* unused harmony export DecorationSegment */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return LineDecorationsNormalizer; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var LineDecoration = /** @class */ (function () { function LineDecoration(startColumn, endColumn, className, type) { this.startColumn = startColumn; this.endColumn = endColumn; this.className = className; this.type = type; } LineDecoration._equals = function (a, b) { return (a.startColumn === b.startColumn && a.endColumn === b.endColumn && a.className === b.className && a.type === b.type); }; LineDecoration.equalsArr = function (a, b) { var aLen = a.length; var bLen = b.length; if (aLen !== bLen) { return false; } for (var i = 0; i < aLen; i++) { if (!LineDecoration._equals(a[i], b[i])) { return false; } } return true; }; LineDecoration.filter = function (lineDecorations, lineNumber, minLineColumn, maxLineColumn) { if (lineDecorations.length === 0) { return []; } var result = [], resultLen = 0; for (var i = 0, len = lineDecorations.length; i < len; i++) { var d = lineDecorations[i]; var range = d.range; if (range.endLineNumber < lineNumber || range.startLineNumber > lineNumber) { // Ignore decorations that sit outside this line continue; } if (range.isEmpty() && (d.type === 0 /* Regular */ || d.type === 3 /* RegularAffectingLetterSpacing */)) { // Ignore empty range decorations continue; } var startColumn = (range.startLineNumber === lineNumber ? range.startColumn : minLineColumn); var endColumn = (range.endLineNumber === lineNumber ? range.endColumn : maxLineColumn); result[resultLen++] = new LineDecoration(startColumn, endColumn, d.inlineClassName, d.type); } return result; }; LineDecoration.compare = function (a, b) { if (a.startColumn === b.startColumn) { if (a.endColumn === b.endColumn) { if (a.className < b.className) { return -1; } if (a.className > b.className) { return 1; } return 0; } return a.endColumn - b.endColumn; } return a.startColumn - b.startColumn; }; return LineDecoration; }()); var DecorationSegment = /** @class */ (function () { function DecorationSegment(startOffset, endOffset, className) { this.startOffset = startOffset; this.endOffset = endOffset; this.className = className; } return DecorationSegment; }()); var Stack = /** @class */ (function () { function Stack() { this.stopOffsets = []; this.classNames = []; this.count = 0; } Stack.prototype.consumeLowerThan = function (maxStopOffset, nextStartOffset, result) { while (this.count > 0 && this.stopOffsets[0] < maxStopOffset) { var i = 0; // Take all equal stopping offsets while (i + 1 < this.count && this.stopOffsets[i] === this.stopOffsets[i + 1]) { i++; } // Basically we are consuming the first i + 1 elements of the stack result.push(new DecorationSegment(nextStartOffset, this.stopOffsets[i], this.classNames.join(' '))); nextStartOffset = this.stopOffsets[i] + 1; // Consume them this.stopOffsets.splice(0, i + 1); this.classNames.splice(0, i + 1); this.count -= (i + 1); } if (this.count > 0 && nextStartOffset < maxStopOffset) { result.push(new DecorationSegment(nextStartOffset, maxStopOffset - 1, this.classNames.join(' '))); nextStartOffset = maxStopOffset; } return nextStartOffset; }; Stack.prototype.insert = function (stopOffset, className) { if (this.count === 0 || this.stopOffsets[this.count - 1] <= stopOffset) { // Insert at the end this.stopOffsets.push(stopOffset); this.classNames.push(className); } else { // Find the insertion position for `stopOffset` for (var i = 0; i < this.count; i++) { if (this.stopOffsets[i] >= stopOffset) { this.stopOffsets.splice(i, 0, stopOffset); this.classNames.splice(i, 0, className); break; } } } this.count++; return; }; return Stack; }()); var LineDecorationsNormalizer = /** @class */ (function () { function LineDecorationsNormalizer() { } /** * Normalize line decorations. Overlapping decorations will generate multiple segments */ LineDecorationsNormalizer.normalize = function (lineContent, lineDecorations) { if (lineDecorations.length === 0) { return []; } var result = []; var stack = new Stack(); var nextStartOffset = 0; for (var i = 0, len = lineDecorations.length; i < len; i++) { var d = lineDecorations[i]; var startColumn = d.startColumn; var endColumn = d.endColumn; var className = d.className; // If the position would end up in the middle of a high-low surrogate pair, we move it to before the pair if (startColumn > 1) { var charCodeBefore = lineContent.charCodeAt(startColumn - 2); if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBefore)) { startColumn--; } } if (endColumn > 1) { var charCodeBefore = lineContent.charCodeAt(endColumn - 2); if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["t" /* isHighSurrogate */](charCodeBefore)) { endColumn--; } } var currentStartOffset = startColumn - 1; var currentEndOffset = endColumn - 2; nextStartOffset = stack.consumeLowerThan(currentStartOffset, nextStartOffset, result); if (stack.count === 0) { nextStartOffset = currentStartOffset; } stack.insert(currentEndOffset, className); } stack.consumeLowerThan(1073741824 /* MAX_SAFE_SMALL_INTEGER */, nextStartOffset, result); return result; }; return LineDecorationsNormalizer; }()); /***/ }), /***/ 1571: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export SimpleModel */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return SimpleEditorModelResolverService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return SimpleProgressService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return SimpleDialogService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return SimpleNotificationService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return BrowserAccessibilityService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "l", function() { return StandaloneCommandService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "m", function() { return StandaloneKeybindingService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return SimpleConfigurationService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "h", function() { return SimpleResourceConfigurationService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return SimpleResourcePropertiesService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "n", function() { return StandaloneTelemetryService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "k", function() { return SimpleWorkspaceContextService; }); /* harmony export (immutable) */ __webpack_exports__["o"] = applyConfigurationValues; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return SimpleBulkEditService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return SimpleUriLabelService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_keyCodes_js__ = __webpack_require__(1356); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_common_severity_js__ = __webpack_require__(1572); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__browser_editorBrowser_js__ = __webpack_require__(1911); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_config_commonEditorConfig_js__ = __webpack_require__(1691); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_core_editOperation_js__ = __webpack_require__(1912); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__platform_commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__platform_configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__platform_configuration_common_configurationModels_js__ = __webpack_require__(1913); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__platform_keybinding_common_abstractKeybindingService_js__ = __webpack_require__(1914); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__platform_keybinding_common_keybindingResolver_js__ = __webpack_require__(1693); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__platform_keybinding_common_keybindingsRegistry_js__ = __webpack_require__(1694); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__platform_keybinding_common_resolvedKeybindingItem_js__ = __webpack_require__(1915); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__platform_keybinding_common_usLayoutResolvedKeybinding_js__ = __webpack_require__(1916); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__platform_notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__platform_workspace_common_workspace_js__ = __webpack_require__(1695); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var SimpleModel = /** @class */ (function () { function SimpleModel(model) { this.model = model; this._onDispose = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); } Object.defineProperty(SimpleModel.prototype, "textEditorModel", { get: function () { return this.model; }, enumerable: true, configurable: true }); SimpleModel.prototype.dispose = function () { this._onDispose.fire(); }; return SimpleModel; }()); function withTypedEditor(widget, codeEditorCallback, diffEditorCallback) { if (Object(__WEBPACK_IMPORTED_MODULE_9__browser_editorBrowser_js__["a" /* isCodeEditor */])(widget)) { // Single Editor return codeEditorCallback(widget); } else { // Diff Editor return diffEditorCallback(widget); } } var SimpleEditorModelResolverService = /** @class */ (function () { function SimpleEditorModelResolverService() { } SimpleEditorModelResolverService.prototype.setEditor = function (editor) { this.editor = editor; }; SimpleEditorModelResolverService.prototype.createModelReference = function (resource) { var _this = this; var model = withTypedEditor(this.editor, function (editor) { return _this.findModel(editor, resource); }, function (diffEditor) { return _this.findModel(diffEditor.getOriginalEditor(), resource) || _this.findModel(diffEditor.getModifiedEditor(), resource); }); if (!model) { return Promise.reject(new Error("Model not found")); } return Promise.resolve(new __WEBPACK_IMPORTED_MODULE_5__base_common_lifecycle_js__["b" /* ImmortalReference */](new SimpleModel(model))); }; SimpleEditorModelResolverService.prototype.findModel = function (editor, resource) { var model = editor.getModel(); if (model && model.uri.toString() !== resource.toString()) { return null; } return model; }; return SimpleEditorModelResolverService; }()); var SimpleProgressService = /** @class */ (function () { function SimpleProgressService() { } SimpleProgressService.prototype.showWhile = function (promise, delay) { return Promise.resolve(undefined); }; return SimpleProgressService; }()); var SimpleDialogService = /** @class */ (function () { function SimpleDialogService() { } return SimpleDialogService; }()); var SimpleNotificationService = /** @class */ (function () { function SimpleNotificationService() { } SimpleNotificationService.prototype.info = function (message) { return this.notify({ severity: __WEBPACK_IMPORTED_MODULE_7__base_common_severity_js__["a" /* default */].Info, message: message }); }; SimpleNotificationService.prototype.warn = function (message) { return this.notify({ severity: __WEBPACK_IMPORTED_MODULE_7__base_common_severity_js__["a" /* default */].Warning, message: message }); }; SimpleNotificationService.prototype.error = function (error) { return this.notify({ severity: __WEBPACK_IMPORTED_MODULE_7__base_common_severity_js__["a" /* default */].Error, message: error }); }; SimpleNotificationService.prototype.notify = function (notification) { switch (notification.severity) { case __WEBPACK_IMPORTED_MODULE_7__base_common_severity_js__["a" /* default */].Error: console.error(notification.message); break; case __WEBPACK_IMPORTED_MODULE_7__base_common_severity_js__["a" /* default */].Warning: console.warn(notification.message); break; default: console.log(notification.message); break; } return SimpleNotificationService.NO_OP; }; SimpleNotificationService.NO_OP = new __WEBPACK_IMPORTED_MODULE_23__platform_notification_common_notification_js__["b" /* NoOpNotification */](); return SimpleNotificationService; }()); var BrowserAccessibilityService = /** @class */ (function () { function BrowserAccessibilityService() { this._accessibilitySupport = 0 /* Unknown */; this._onDidChangeAccessibilitySupport = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); this.onDidChangeAccessibilitySupport = this._onDidChangeAccessibilitySupport.event; } BrowserAccessibilityService.prototype.getAccessibilitySupport = function () { return this._accessibilitySupport; }; return BrowserAccessibilityService; }()); var StandaloneCommandService = /** @class */ (function () { function StandaloneCommandService(instantiationService) { this._onWillExecuteCommand = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); this._instantiationService = instantiationService; this._dynamicCommands = Object.create(null); } StandaloneCommandService.prototype.addCommand = function (command) { var _this = this; var id = command.id; this._dynamicCommands[id] = command; return Object(__WEBPACK_IMPORTED_MODULE_5__base_common_lifecycle_js__["e" /* toDisposable */])(function () { delete _this._dynamicCommands[id]; }); }; StandaloneCommandService.prototype.executeCommand = function (id) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } var command = (__WEBPACK_IMPORTED_MODULE_15__platform_commands_common_commands_js__["a" /* CommandsRegistry */].getCommand(id) || this._dynamicCommands[id]); if (!command) { return Promise.reject(new Error("command '" + id + "' not found")); } try { this._onWillExecuteCommand.fire({ commandId: id }); var result = this._instantiationService.invokeFunction.apply(this._instantiationService, [command.handler].concat(args)); return Promise.resolve(result); } catch (err) { return Promise.reject(err); } }; return StandaloneCommandService; }()); var StandaloneKeybindingService = /** @class */ (function (_super) { __extends(StandaloneKeybindingService, _super); function StandaloneKeybindingService(contextKeyService, commandService, telemetryService, notificationService, domNode) { var _this = _super.call(this, contextKeyService, commandService, telemetryService, notificationService) || this; _this._cachedResolver = null; _this._dynamicKeybindings = []; _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["c" /* EventType */].KEY_DOWN, function (e) { var keyEvent = new __WEBPACK_IMPORTED_MODULE_2__base_browser_keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); var shouldPreventDefault = _this._dispatch(keyEvent, keyEvent.target); if (shouldPreventDefault) { keyEvent.preventDefault(); } })); return _this; } StandaloneKeybindingService.prototype.addDynamicKeybinding = function (commandId, _keybinding, handler, when) { var _this = this; var keybinding = Object(__WEBPACK_IMPORTED_MODULE_4__base_common_keyCodes_js__["f" /* createKeybinding */])(_keybinding, __WEBPACK_IMPORTED_MODULE_6__base_common_platform_js__["a" /* OS */]); if (!keybinding) { throw new Error("Invalid keybinding"); } var toDispose = []; this._dynamicKeybindings.push({ keybinding: keybinding, command: commandId, when: when, weight1: 1000, weight2: 0 }); toDispose.push(Object(__WEBPACK_IMPORTED_MODULE_5__base_common_lifecycle_js__["e" /* toDisposable */])(function () { for (var i = 0; i < _this._dynamicKeybindings.length; i++) { var kb = _this._dynamicKeybindings[i]; if (kb.command === commandId) { _this._dynamicKeybindings.splice(i, 1); _this.updateResolver({ source: 1 /* Default */ }); return; } } })); var commandService = this._commandService; if (commandService instanceof StandaloneCommandService) { toDispose.push(commandService.addCommand({ id: commandId, handler: handler })); } else { throw new Error('Unknown command service!'); } this.updateResolver({ source: 1 /* Default */ }); return Object(__WEBPACK_IMPORTED_MODULE_5__base_common_lifecycle_js__["c" /* combinedDisposable */])(toDispose); }; StandaloneKeybindingService.prototype.updateResolver = function (event) { this._cachedResolver = null; this._onDidUpdateKeybindings.fire(event); }; StandaloneKeybindingService.prototype._getResolver = function () { if (!this._cachedResolver) { var defaults = this._toNormalizedKeybindingItems(__WEBPACK_IMPORTED_MODULE_20__platform_keybinding_common_keybindingsRegistry_js__["a" /* KeybindingsRegistry */].getDefaultKeybindings(), true); var overrides = this._toNormalizedKeybindingItems(this._dynamicKeybindings, false); this._cachedResolver = new __WEBPACK_IMPORTED_MODULE_19__platform_keybinding_common_keybindingResolver_js__["a" /* KeybindingResolver */](defaults, overrides); } return this._cachedResolver; }; StandaloneKeybindingService.prototype._documentHasFocus = function () { return document.hasFocus(); }; StandaloneKeybindingService.prototype._toNormalizedKeybindingItems = function (items, isDefault) { var result = [], resultLen = 0; for (var _i = 0, items_1 = items; _i < items_1.length; _i++) { var item = items_1[_i]; var when = (item.when ? item.when.normalize() : null); var keybinding = item.keybinding; if (!keybinding) { // This might be a removal keybinding item in user settings => accept it result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_21__platform_keybinding_common_resolvedKeybindingItem_js__["a" /* ResolvedKeybindingItem */](null, item.command, item.commandArgs, when, isDefault); } else { var resolvedKeybindings = this.resolveKeybinding(keybinding); for (var _a = 0, resolvedKeybindings_1 = resolvedKeybindings; _a < resolvedKeybindings_1.length; _a++) { var resolvedKeybinding = resolvedKeybindings_1[_a]; result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_21__platform_keybinding_common_resolvedKeybindingItem_js__["a" /* ResolvedKeybindingItem */](resolvedKeybinding, item.command, item.commandArgs, when, isDefault); } } } return result; }; StandaloneKeybindingService.prototype.resolveKeybinding = function (keybinding) { return [new __WEBPACK_IMPORTED_MODULE_22__platform_keybinding_common_usLayoutResolvedKeybinding_js__["a" /* USLayoutResolvedKeybinding */](keybinding, __WEBPACK_IMPORTED_MODULE_6__base_common_platform_js__["a" /* OS */])]; }; StandaloneKeybindingService.prototype.resolveKeyboardEvent = function (keyboardEvent) { var keybinding = new __WEBPACK_IMPORTED_MODULE_4__base_common_keyCodes_js__["e" /* SimpleKeybinding */](keyboardEvent.ctrlKey, keyboardEvent.shiftKey, keyboardEvent.altKey, keyboardEvent.metaKey, keyboardEvent.keyCode).toChord(); return new __WEBPACK_IMPORTED_MODULE_22__platform_keybinding_common_usLayoutResolvedKeybinding_js__["a" /* USLayoutResolvedKeybinding */](keybinding, __WEBPACK_IMPORTED_MODULE_6__base_common_platform_js__["a" /* OS */]); }; return StandaloneKeybindingService; }(__WEBPACK_IMPORTED_MODULE_18__platform_keybinding_common_abstractKeybindingService_js__["a" /* AbstractKeybindingService */])); function isConfigurationOverrides(thing) { return thing && typeof thing === 'object' && (!thing.overrideIdentifier || typeof thing.overrideIdentifier === 'string') && (!thing.resource || thing.resource instanceof __WEBPACK_IMPORTED_MODULE_8__base_common_uri_js__["a" /* URI */]); } var SimpleConfigurationService = /** @class */ (function () { function SimpleConfigurationService() { this._onDidChangeConfiguration = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); this.onDidChangeConfiguration = this._onDidChangeConfiguration.event; this._configuration = new __WEBPACK_IMPORTED_MODULE_17__platform_configuration_common_configurationModels_js__["a" /* Configuration */](new __WEBPACK_IMPORTED_MODULE_17__platform_configuration_common_configurationModels_js__["c" /* DefaultConfigurationModel */](), new __WEBPACK_IMPORTED_MODULE_17__platform_configuration_common_configurationModels_js__["b" /* ConfigurationModel */]()); } SimpleConfigurationService.prototype.configuration = function () { return this._configuration; }; SimpleConfigurationService.prototype.getValue = function (arg1, arg2) { var section = typeof arg1 === 'string' ? arg1 : undefined; var overrides = isConfigurationOverrides(arg1) ? arg1 : isConfigurationOverrides(arg2) ? arg2 : {}; return this.configuration().getValue(section, overrides, undefined); }; SimpleConfigurationService.prototype.updateValue = function (key, value, arg3, arg4) { this.configuration().updateValue(key, value); return Promise.resolve(); }; SimpleConfigurationService.prototype.inspect = function (key, options) { if (options === void 0) { options = {}; } return this.configuration().inspect(key, options, undefined); }; return SimpleConfigurationService; }()); var SimpleResourceConfigurationService = /** @class */ (function () { function SimpleResourceConfigurationService(configurationService) { var _this = this; this.configurationService = configurationService; this._onDidChangeConfigurationEmitter = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); this.configurationService.onDidChangeConfiguration(function (e) { _this._onDidChangeConfigurationEmitter.fire(e); }); } SimpleResourceConfigurationService.prototype.getValue = function (resource, arg2, arg3) { var position = __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__["a" /* Position */].isIPosition(arg2) ? arg2 : null; var section = position ? (typeof arg3 === 'string' ? arg3 : undefined) : (typeof arg2 === 'string' ? arg2 : undefined); if (typeof section === 'undefined') { return this.configurationService.getValue(); } return this.configurationService.getValue(section); }; return SimpleResourceConfigurationService; }()); var SimpleResourcePropertiesService = /** @class */ (function () { function SimpleResourcePropertiesService(configurationService) { this.configurationService = configurationService; } SimpleResourcePropertiesService.prototype.getEOL = function (resource) { var filesConfiguration = this.configurationService.getValue('files'); if (filesConfiguration && filesConfiguration.eol) { if (filesConfiguration.eol !== 'auto') { return filesConfiguration.eol; } } return (__WEBPACK_IMPORTED_MODULE_6__base_common_platform_js__["c" /* isLinux */] || __WEBPACK_IMPORTED_MODULE_6__base_common_platform_js__["d" /* isMacintosh */]) ? '\n' : '\r\n'; }; SimpleResourcePropertiesService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_16__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]) ], SimpleResourcePropertiesService); return SimpleResourcePropertiesService; }()); var StandaloneTelemetryService = /** @class */ (function () { function StandaloneTelemetryService() { } StandaloneTelemetryService.prototype.publicLog = function (eventName, data) { return Promise.resolve(undefined); }; return StandaloneTelemetryService; }()); var SimpleWorkspaceContextService = /** @class */ (function () { function SimpleWorkspaceContextService() { var resource = __WEBPACK_IMPORTED_MODULE_8__base_common_uri_js__["a" /* URI */].from({ scheme: SimpleWorkspaceContextService.SCHEME, authority: 'model', path: '/' }); this.workspace = { id: '4064f6ec-cb38-4ad0-af64-ee6467e63c82', folders: [new __WEBPACK_IMPORTED_MODULE_24__platform_workspace_common_workspace_js__["b" /* WorkspaceFolder */]({ uri: resource, name: '', index: 0 })] }; } SimpleWorkspaceContextService.prototype.getWorkspace = function () { return this.workspace; }; SimpleWorkspaceContextService.prototype.getWorkspaceFolder = function (resource) { return resource && resource.scheme === SimpleWorkspaceContextService.SCHEME ? this.workspace.folders[0] : null; }; SimpleWorkspaceContextService.SCHEME = 'inmemory'; return SimpleWorkspaceContextService; }()); function applyConfigurationValues(configurationService, source, isDiffEditor) { if (!source) { return; } if (!(configurationService instanceof SimpleConfigurationService)) { return; } Object.keys(source).forEach(function (key) { if (Object(__WEBPACK_IMPORTED_MODULE_10__common_config_commonEditorConfig_js__["c" /* isEditorConfigurationKey */])(key)) { configurationService.updateValue("editor." + key, source[key]); } if (isDiffEditor && Object(__WEBPACK_IMPORTED_MODULE_10__common_config_commonEditorConfig_js__["b" /* isDiffEditorConfigurationKey */])(key)) { configurationService.updateValue("diffEditor." + key, source[key]); } }); } var SimpleBulkEditService = /** @class */ (function () { function SimpleBulkEditService(_modelService) { this._modelService = _modelService; // } SimpleBulkEditService.prototype.apply = function (workspaceEdit, options) { var edits = new Map(); if (workspaceEdit.edits) { for (var _i = 0, _a = workspaceEdit.edits; _i < _a.length; _i++) { var edit = _a[_i]; if (!Object(__WEBPACK_IMPORTED_MODULE_14__common_modes_js__["y" /* isResourceTextEdit */])(edit)) { return Promise.reject(new Error('bad edit - only text edits are supported')); } var model = this._modelService.getModel(edit.resource); if (!model) { return Promise.reject(new Error('bad edit - model not found')); } var array = edits.get(model); if (!array) { array = []; } edits.set(model, array.concat(edit.edits)); } } var totalEdits = 0; var totalFiles = 0; edits.forEach(function (edits, model) { model.applyEdits(edits.map(function (edit) { return __WEBPACK_IMPORTED_MODULE_11__common_core_editOperation_js__["a" /* EditOperation */].replaceMove(__WEBPACK_IMPORTED_MODULE_13__common_core_range_js__["a" /* Range */].lift(edit.range), edit.text); })); totalFiles += 1; totalEdits += edits.length; }); return Promise.resolve({ selection: undefined, ariaSummary: Object(__WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */])('summary', 'Made {0} edits in {1} files', totalEdits, totalFiles) }); }; return SimpleBulkEditService; }()); var SimpleUriLabelService = /** @class */ (function () { function SimpleUriLabelService() { } SimpleUriLabelService.prototype.getUriLabel = function (resource, options) { if (resource.scheme === 'file') { return resource.fsPath; } return resource.path; }; return SimpleUriLabelService; }()); /***/ }), /***/ 1572: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Severity; (function (Severity) { Severity[Severity["Ignore"] = 0] = "Ignore"; Severity[Severity["Info"] = 1] = "Info"; Severity[Severity["Warning"] = 2] = "Warning"; Severity[Severity["Error"] = 3] = "Error"; })(Severity || (Severity = {})); (function (Severity) { var _error = 'error'; var _warning = 'warning'; var _warn = 'warn'; var _info = 'info'; var _displayStrings = Object.create(null); _displayStrings[Severity.Error] = __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('sev.error', "Error"); _displayStrings[Severity.Warning] = __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('sev.warning', "Warning"); _displayStrings[Severity.Info] = __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('sev.info', "Info"); /** * Parses 'error', 'warning', 'warn', 'info' in call casings * and falls back to ignore. */ function fromValue(value) { if (!value) { return Severity.Ignore; } if (__WEBPACK_IMPORTED_MODULE_1__strings_js__["k" /* equalsIgnoreCase */](_error, value)) { return Severity.Error; } if (__WEBPACK_IMPORTED_MODULE_1__strings_js__["k" /* equalsIgnoreCase */](_warning, value) || __WEBPACK_IMPORTED_MODULE_1__strings_js__["k" /* equalsIgnoreCase */](_warn, value)) { return Severity.Warning; } if (__WEBPACK_IMPORTED_MODULE_1__strings_js__["k" /* equalsIgnoreCase */](_info, value)) { return Severity.Info; } return Severity.Ignore; } Severity.fromValue = fromValue; })(Severity || (Severity = {})); /* harmony default export */ __webpack_exports__["a"] = (Severity); /***/ }), /***/ 1573: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Command; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return EditorCommand; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return EditorAction; }); /* unused harmony export registerLanguageCommand */ /* unused harmony export registerDefaultLanguageCommand */ /* harmony export (immutable) */ __webpack_exports__["f"] = registerEditorCommand; /* harmony export (immutable) */ __webpack_exports__["e"] = registerEditorAction; /* unused harmony export registerInstantiatedEditorAction */ /* unused harmony export registerEditorContribution */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return EditorExtensionsRegistry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_services_modelService_js__ = __webpack_require__(1393); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_services_resolverService_js__ = __webpack_require__(1685); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__platform_actions_common_actions_js__ = __webpack_require__(1447); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__platform_keybinding_common_keybindingsRegistry_js__ = __webpack_require__(1694); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__platform_registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__platform_telemetry_common_telemetry_js__ = __webpack_require__(1448); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; var Command = /** @class */ (function () { function Command(opts) { this.id = opts.id; this.precondition = opts.precondition; this._kbOpts = opts.kbOpts; this._menubarOpts = opts.menubarOpts; this._description = opts.description; } Command.prototype.register = function () { var _this = this; if (this._menubarOpts) { __WEBPACK_IMPORTED_MODULE_6__platform_actions_common_actions_js__["c" /* MenuRegistry */].appendMenuItem(this._menubarOpts.menuId, { group: this._menubarOpts.group, command: { id: this.id, title: this._menubarOpts.title, }, when: this._menubarOpts.when, order: this._menubarOpts.order }); } if (this._kbOpts) { var kbWhen = this._kbOpts.kbExpr; if (this.precondition) { if (kbWhen) { kbWhen = __WEBPACK_IMPORTED_MODULE_8__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].and(kbWhen, this.precondition); } else { kbWhen = this.precondition; } } __WEBPACK_IMPORTED_MODULE_9__platform_keybinding_common_keybindingsRegistry_js__["a" /* KeybindingsRegistry */].registerCommandAndKeybindingRule({ id: this.id, handler: function (accessor, args) { return _this.runCommand(accessor, args); }, weight: this._kbOpts.weight, when: kbWhen || null, primary: this._kbOpts.primary, secondary: this._kbOpts.secondary, win: this._kbOpts.win, linux: this._kbOpts.linux, mac: this._kbOpts.mac, description: this._description }); } else { __WEBPACK_IMPORTED_MODULE_7__platform_commands_common_commands_js__["a" /* CommandsRegistry */].registerCommand({ id: this.id, handler: function (accessor, args) { return _this.runCommand(accessor, args); }, description: this._description }); } }; return Command; }()); var EditorCommand = /** @class */ (function (_super) { __extends(EditorCommand, _super); function EditorCommand() { return _super !== null && _super.apply(this, arguments) || this; } /** * Create a command class that is bound to a certain editor contribution. */ EditorCommand.bindToContribution = function (controllerGetter) { return /** @class */ (function (_super) { __extends(EditorControllerCommandImpl, _super); function EditorControllerCommandImpl(opts) { var _this = _super.call(this, opts) || this; _this._callback = opts.handler; return _this; } EditorControllerCommandImpl.prototype.runEditorCommand = function (accessor, editor, args) { var controller = controllerGetter(editor); if (controller) { this._callback(controllerGetter(editor), args); } }; return EditorControllerCommandImpl; }(EditorCommand)); }; EditorCommand.prototype.runCommand = function (accessor, args) { var _this = this; var codeEditorService = accessor.get(__WEBPACK_IMPORTED_MODULE_2__services_codeEditorService_js__["a" /* ICodeEditorService */]); // Find the editor with text focus or active var editor = codeEditorService.getFocusedCodeEditor() || codeEditorService.getActiveCodeEditor(); if (!editor) { // well, at least we tried... return; } return editor.invokeWithinContext(function (editorAccessor) { var kbService = editorAccessor.get(__WEBPACK_IMPORTED_MODULE_8__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]); if (!kbService.contextMatchesRules(_this.precondition)) { // precondition does not hold return; } return _this.runEditorCommand(editorAccessor, editor, args); }); }; return EditorCommand; }(Command)); var EditorAction = /** @class */ (function (_super) { __extends(EditorAction, _super); function EditorAction(opts) { var _this = _super.call(this, opts) || this; _this.label = opts.label; _this.alias = opts.alias; _this.menuOpts = opts.menuOpts; return _this; } EditorAction.prototype.register = function () { if (this.menuOpts) { __WEBPACK_IMPORTED_MODULE_6__platform_actions_common_actions_js__["c" /* MenuRegistry */].appendMenuItem(7 /* EditorContext */, { command: { id: this.id, title: this.label }, when: __WEBPACK_IMPORTED_MODULE_8__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].and(this.precondition, this.menuOpts.when), group: this.menuOpts.group, order: this.menuOpts.order }); } _super.prototype.register.call(this); }; EditorAction.prototype.runEditorCommand = function (accessor, editor, args) { this.reportTelemetry(accessor, editor); return this.run(accessor, editor, args || {}); }; EditorAction.prototype.reportTelemetry = function (accessor, editor) { /* __GDPR__ "editorActionInvoked" : { "name" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" }, "id": { "classification": "SystemMetaData", "purpose": "FeatureInsight" }, "${include}": [ "${EditorTelemetryData}" ] } */ accessor.get(__WEBPACK_IMPORTED_MODULE_11__platform_telemetry_common_telemetry_js__["a" /* ITelemetryService */]).publicLog('editorActionInvoked', __assign({ name: this.label, id: this.id }, editor.getTelemetryData())); }; return EditorAction; }(EditorCommand)); //#endregion EditorAction // --- Registration of commands and actions function registerLanguageCommand(id, handler) { __WEBPACK_IMPORTED_MODULE_7__platform_commands_common_commands_js__["a" /* CommandsRegistry */].registerCommand(id, function (accessor, args) { return handler(accessor, args || {}); }); } function registerDefaultLanguageCommand(id, handler) { registerLanguageCommand(id, function (accessor, args) { var resource = args.resource, position = args.position; if (!(resource instanceof __WEBPACK_IMPORTED_MODULE_1__base_common_uri_js__["a" /* URI */])) { throw Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["b" /* illegalArgument */])('resource'); } if (!__WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */].isIPosition(position)) { throw Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["b" /* illegalArgument */])('position'); } var model = accessor.get(__WEBPACK_IMPORTED_MODULE_4__common_services_modelService_js__["a" /* IModelService */]).getModel(resource); if (model) { var editorPosition = __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */].lift(position); return handler(model, editorPosition, args); } return accessor.get(__WEBPACK_IMPORTED_MODULE_5__common_services_resolverService_js__["a" /* ITextModelService */]).createModelReference(resource).then(function (reference) { return new Promise(function (resolve, reject) { try { var result = handler(reference.object.textEditorModel, __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */].lift(position), args); resolve(result); } catch (err) { reject(err); } }).finally(function () { reference.dispose(); }); }); }); } function registerEditorCommand(editorCommand) { EditorContributionRegistry.INSTANCE.registerEditorCommand(editorCommand); return editorCommand; } function registerEditorAction(ctor) { EditorContributionRegistry.INSTANCE.registerEditorAction(new ctor()); } function registerInstantiatedEditorAction(editorAction) { EditorContributionRegistry.INSTANCE.registerEditorAction(editorAction); } function registerEditorContribution(ctor) { EditorContributionRegistry.INSTANCE.registerEditorContribution(ctor); } var EditorExtensionsRegistry; (function (EditorExtensionsRegistry) { function getEditorCommand(commandId) { return EditorContributionRegistry.INSTANCE.getEditorCommand(commandId); } EditorExtensionsRegistry.getEditorCommand = getEditorCommand; function getEditorActions() { return EditorContributionRegistry.INSTANCE.getEditorActions(); } EditorExtensionsRegistry.getEditorActions = getEditorActions; function getEditorContributions() { return EditorContributionRegistry.INSTANCE.getEditorContributions(); } EditorExtensionsRegistry.getEditorContributions = getEditorContributions; })(EditorExtensionsRegistry || (EditorExtensionsRegistry = {})); // Editor extension points var Extensions = { EditorCommonContributions: 'editor.contributions' }; var EditorContributionRegistry = /** @class */ (function () { function EditorContributionRegistry() { this.editorContributions = []; this.editorActions = []; this.editorCommands = Object.create(null); } EditorContributionRegistry.prototype.registerEditorContribution = function (ctor) { this.editorContributions.push(ctor); }; EditorContributionRegistry.prototype.registerEditorAction = function (action) { action.register(); this.editorActions.push(action); }; EditorContributionRegistry.prototype.getEditorContributions = function () { return this.editorContributions.slice(0); }; EditorContributionRegistry.prototype.getEditorActions = function () { return this.editorActions.slice(0); }; EditorContributionRegistry.prototype.registerEditorCommand = function (editorCommand) { editorCommand.register(); this.editorCommands[editorCommand.id] = editorCommand; }; EditorContributionRegistry.prototype.getEditorCommand = function (commandId) { return (this.editorCommands[commandId] || null); }; EditorContributionRegistry.INSTANCE = new EditorContributionRegistry(); return EditorContributionRegistry; }()); __WEBPACK_IMPORTED_MODULE_10__platform_registry_common_platform_js__["a" /* Registry */].add(Extensions.EditorCommonContributions, EditorContributionRegistry.INSTANCE); /***/ }), /***/ 1574: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = memoize; function memoize(target, key, descriptor) { var fnKey = null; var fn = null; if (typeof descriptor.value === 'function') { fnKey = 'value'; fn = descriptor.value; if (fn.length !== 0) { console.warn('Memoize should only be used in functions with zero parameters'); } } else if (typeof descriptor.get === 'function') { fnKey = 'get'; fn = descriptor.get; } if (!fn) { throw new Error('not supported'); } var memoizeKey = "$memoize$" + key; descriptor[fnKey] = function () { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } if (!this.hasOwnProperty(memoizeKey)) { Object.defineProperty(this, memoizeKey, { configurable: false, enumerable: false, writable: false, value: fn.apply(this, args) }); } return this[memoizeKey]; }; } /***/ }), /***/ 1575: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return PageCoordinates; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ClientCoordinates; }); /* unused harmony export EditorPagePosition */ /* harmony export (immutable) */ __webpack_exports__["f"] = createEditorPagePosition; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return EditorMouseEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return EditorMouseEventFactory; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return GlobalEditorMouseMoveMonitor; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_globalMouseMoveMonitor_js__ = __webpack_require__(1449); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * Coordinates relative to the whole document (e.g. mouse event's pageX and pageY) */ var PageCoordinates = /** @class */ (function () { function PageCoordinates(x, y) { this.x = x; this.y = y; } PageCoordinates.prototype.toClientCoordinates = function () { return new ClientCoordinates(this.x - __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollX, this.y - __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollY); }; return PageCoordinates; }()); /** * Coordinates within the application's client area (i.e. origin is document's scroll position). * * For example, clicking in the top-left corner of the client area will * always result in a mouse event with a client.x value of 0, regardless * of whether the page is scrolled horizontally. */ var ClientCoordinates = /** @class */ (function () { function ClientCoordinates(clientX, clientY) { this.clientX = clientX; this.clientY = clientY; } ClientCoordinates.prototype.toPageCoordinates = function () { return new PageCoordinates(this.clientX + __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollX, this.clientY + __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollY); }; return ClientCoordinates; }()); /** * The position of the editor in the page. */ var EditorPagePosition = /** @class */ (function () { function EditorPagePosition(x, y, width, height) { this.x = x; this.y = y; this.width = width; this.height = height; } return EditorPagePosition; }()); function createEditorPagePosition(editorViewDomNode) { var editorPos = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["s" /* getDomNodePagePosition */](editorViewDomNode); return new EditorPagePosition(editorPos.left, editorPos.top, editorPos.width, editorPos.height); } var EditorMouseEvent = /** @class */ (function (_super) { __extends(EditorMouseEvent, _super); function EditorMouseEvent(e, editorViewDomNode) { var _this = _super.call(this, e) || this; _this.pos = new PageCoordinates(_this.posx, _this.posy); _this.editorPos = createEditorPagePosition(editorViewDomNode); return _this; } return EditorMouseEvent; }(__WEBPACK_IMPORTED_MODULE_2__base_browser_mouseEvent_js__["a" /* StandardMouseEvent */])); var EditorMouseEventFactory = /** @class */ (function () { function EditorMouseEventFactory(editorViewDomNode) { this._editorViewDomNode = editorViewDomNode; } EditorMouseEventFactory.prototype._create = function (e) { return new EditorMouseEvent(e, this._editorViewDomNode); }; EditorMouseEventFactory.prototype.onContextMenu = function (target, callback) { var _this = this; return __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](target, 'contextmenu', function (e) { callback(_this._create(e)); }); }; EditorMouseEventFactory.prototype.onMouseUp = function (target, callback) { var _this = this; return __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](target, 'mouseup', function (e) { callback(_this._create(e)); }); }; EditorMouseEventFactory.prototype.onMouseDown = function (target, callback) { var _this = this; return __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](target, 'mousedown', function (e) { callback(_this._create(e)); }); }; EditorMouseEventFactory.prototype.onMouseLeave = function (target, callback) { var _this = this; return __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["h" /* addDisposableNonBubblingMouseOutListener */](target, function (e) { callback(_this._create(e)); }); }; EditorMouseEventFactory.prototype.onMouseMoveThrottled = function (target, callback, merger, minimumTimeMs) { var _this = this; var myMerger = function (lastEvent, currentEvent) { return merger(lastEvent, _this._create(currentEvent)); }; return __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["i" /* addDisposableThrottledListener */](target, 'mousemove', callback, myMerger, minimumTimeMs); }; return EditorMouseEventFactory; }()); var GlobalEditorMouseMoveMonitor = /** @class */ (function (_super) { __extends(GlobalEditorMouseMoveMonitor, _super); function GlobalEditorMouseMoveMonitor(editorViewDomNode) { var _this = _super.call(this) || this; _this._editorViewDomNode = editorViewDomNode; _this._globalMouseMoveMonitor = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_browser_globalMouseMoveMonitor_js__["a" /* GlobalMouseMoveMonitor */]()); _this._keydownListener = null; return _this; } GlobalEditorMouseMoveMonitor.prototype.startMonitoring = function (merger, mouseMoveCallback, onStopCallback) { var _this = this; // Add a <<capture>> keydown event listener that will cancel the monitoring // if something other than a modifier key is pressed this._keydownListener = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["j" /* addStandardDisposableListener */](document, 'keydown', function (e) { var kb = e.toKeybinding(); if (kb.isModifierKey()) { // Allow modifier keys return; } _this._globalMouseMoveMonitor.stopMonitoring(true); }, true); var myMerger = function (lastEvent, currentEvent) { return merger(lastEvent, new EditorMouseEvent(currentEvent, _this._editorViewDomNode)); }; this._globalMouseMoveMonitor.startMonitoring(myMerger, mouseMoveCallback, function () { _this._keydownListener.dispose(); onStopCallback(); }); }; return GlobalEditorMouseMoveMonitor; }(__WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1576: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return RenderedLinesCollection; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return VisibleLinesCollection; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_core_stringBuilder_js__ = __webpack_require__(1569); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var RenderedLinesCollection = /** @class */ (function () { function RenderedLinesCollection(createLine) { this._createLine = createLine; this._set(1, []); } RenderedLinesCollection.prototype.flush = function () { this._set(1, []); }; RenderedLinesCollection.prototype._set = function (rendLineNumberStart, lines) { this._lines = lines; this._rendLineNumberStart = rendLineNumberStart; }; RenderedLinesCollection.prototype._get = function () { return { rendLineNumberStart: this._rendLineNumberStart, lines: this._lines }; }; /** * @returns Inclusive line number that is inside this collection */ RenderedLinesCollection.prototype.getStartLineNumber = function () { return this._rendLineNumberStart; }; /** * @returns Inclusive line number that is inside this collection */ RenderedLinesCollection.prototype.getEndLineNumber = function () { return this._rendLineNumberStart + this._lines.length - 1; }; RenderedLinesCollection.prototype.getCount = function () { return this._lines.length; }; RenderedLinesCollection.prototype.getLine = function (lineNumber) { var lineIndex = lineNumber - this._rendLineNumberStart; if (lineIndex < 0 || lineIndex >= this._lines.length) { throw new Error('Illegal value for lineNumber'); } return this._lines[lineIndex]; }; /** * @returns Lines that were removed from this collection */ RenderedLinesCollection.prototype.onLinesDeleted = function (deleteFromLineNumber, deleteToLineNumber) { if (this.getCount() === 0) { // no lines return null; } var startLineNumber = this.getStartLineNumber(); var endLineNumber = this.getEndLineNumber(); if (deleteToLineNumber < startLineNumber) { // deleting above the viewport var deleteCnt = deleteToLineNumber - deleteFromLineNumber + 1; this._rendLineNumberStart -= deleteCnt; return null; } if (deleteFromLineNumber > endLineNumber) { // deleted below the viewport return null; } // Record what needs to be deleted var deleteStartIndex = 0; var deleteCount = 0; for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var lineIndex = lineNumber - this._rendLineNumberStart; if (deleteFromLineNumber <= lineNumber && lineNumber <= deleteToLineNumber) { // this is a line to be deleted if (deleteCount === 0) { // this is the first line to be deleted deleteStartIndex = lineIndex; deleteCount = 1; } else { deleteCount++; } } } // Adjust this._rendLineNumberStart for lines deleted above if (deleteFromLineNumber < startLineNumber) { // Something was deleted above var deleteAboveCount = 0; if (deleteToLineNumber < startLineNumber) { // the entire deleted lines are above deleteAboveCount = deleteToLineNumber - deleteFromLineNumber + 1; } else { deleteAboveCount = startLineNumber - deleteFromLineNumber; } this._rendLineNumberStart -= deleteAboveCount; } var deleted = this._lines.splice(deleteStartIndex, deleteCount); return deleted; }; RenderedLinesCollection.prototype.onLinesChanged = function (changeFromLineNumber, changeToLineNumber) { if (this.getCount() === 0) { // no lines return false; } var startLineNumber = this.getStartLineNumber(); var endLineNumber = this.getEndLineNumber(); var someoneNotified = false; for (var changedLineNumber = changeFromLineNumber; changedLineNumber <= changeToLineNumber; changedLineNumber++) { if (changedLineNumber >= startLineNumber && changedLineNumber <= endLineNumber) { // Notify the line this._lines[changedLineNumber - this._rendLineNumberStart].onContentChanged(); someoneNotified = true; } } return someoneNotified; }; RenderedLinesCollection.prototype.onLinesInserted = function (insertFromLineNumber, insertToLineNumber) { if (this.getCount() === 0) { // no lines return null; } var insertCnt = insertToLineNumber - insertFromLineNumber + 1; var startLineNumber = this.getStartLineNumber(); var endLineNumber = this.getEndLineNumber(); if (insertFromLineNumber <= startLineNumber) { // inserting above the viewport this._rendLineNumberStart += insertCnt; return null; } if (insertFromLineNumber > endLineNumber) { // inserting below the viewport return null; } if (insertCnt + insertFromLineNumber > endLineNumber) { // insert inside the viewport in such a way that all remaining lines are pushed outside var deleted = this._lines.splice(insertFromLineNumber - this._rendLineNumberStart, endLineNumber - insertFromLineNumber + 1); return deleted; } // insert inside the viewport, push out some lines, but not all remaining lines var newLines = []; for (var i = 0; i < insertCnt; i++) { newLines[i] = this._createLine(); } var insertIndex = insertFromLineNumber - this._rendLineNumberStart; var beforeLines = this._lines.slice(0, insertIndex); var afterLines = this._lines.slice(insertIndex, this._lines.length - insertCnt); var deletedLines = this._lines.slice(this._lines.length - insertCnt, this._lines.length); this._lines = beforeLines.concat(newLines).concat(afterLines); return deletedLines; }; RenderedLinesCollection.prototype.onTokensChanged = function (ranges) { if (this.getCount() === 0) { // no lines return false; } var startLineNumber = this.getStartLineNumber(); var endLineNumber = this.getEndLineNumber(); var notifiedSomeone = false; for (var i = 0, len = ranges.length; i < len; i++) { var rng = ranges[i]; if (rng.toLineNumber < startLineNumber || rng.fromLineNumber > endLineNumber) { // range outside viewport continue; } var from = Math.max(startLineNumber, rng.fromLineNumber); var to = Math.min(endLineNumber, rng.toLineNumber); for (var lineNumber = from; lineNumber <= to; lineNumber++) { var lineIndex = lineNumber - this._rendLineNumberStart; this._lines[lineIndex].onTokensChanged(); notifiedSomeone = true; } } return notifiedSomeone; }; return RenderedLinesCollection; }()); var VisibleLinesCollection = /** @class */ (function () { function VisibleLinesCollection(host) { var _this = this; this._host = host; this.domNode = this._createDomNode(); this._linesCollection = new RenderedLinesCollection(function () { return _this._host.createVisibleLine(); }); } VisibleLinesCollection.prototype._createDomNode = function () { var domNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); domNode.setClassName('view-layer'); domNode.setPosition('absolute'); domNode.domNode.setAttribute('role', 'presentation'); domNode.domNode.setAttribute('aria-hidden', 'true'); return domNode; }; // ---- begin view event handlers VisibleLinesCollection.prototype.onConfigurationChanged = function (e) { return e.layoutInfo; }; VisibleLinesCollection.prototype.onFlushed = function (e) { this._linesCollection.flush(); // No need to clear the dom node because a full .innerHTML will occur in ViewLayerRenderer._render return true; }; VisibleLinesCollection.prototype.onLinesChanged = function (e) { return this._linesCollection.onLinesChanged(e.fromLineNumber, e.toLineNumber); }; VisibleLinesCollection.prototype.onLinesDeleted = function (e) { var deleted = this._linesCollection.onLinesDeleted(e.fromLineNumber, e.toLineNumber); if (deleted) { // Remove from DOM for (var i = 0, len = deleted.length; i < len; i++) { var lineDomNode = deleted[i].getDomNode(); if (lineDomNode) { this.domNode.domNode.removeChild(lineDomNode); } } } return true; }; VisibleLinesCollection.prototype.onLinesInserted = function (e) { var deleted = this._linesCollection.onLinesInserted(e.fromLineNumber, e.toLineNumber); if (deleted) { // Remove from DOM for (var i = 0, len = deleted.length; i < len; i++) { var lineDomNode = deleted[i].getDomNode(); if (lineDomNode) { this.domNode.domNode.removeChild(lineDomNode); } } } return true; }; VisibleLinesCollection.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; }; VisibleLinesCollection.prototype.onTokensChanged = function (e) { return this._linesCollection.onTokensChanged(e.ranges); }; VisibleLinesCollection.prototype.onZonesChanged = function (e) { return true; }; // ---- end view event handlers VisibleLinesCollection.prototype.getStartLineNumber = function () { return this._linesCollection.getStartLineNumber(); }; VisibleLinesCollection.prototype.getEndLineNumber = function () { return this._linesCollection.getEndLineNumber(); }; VisibleLinesCollection.prototype.getVisibleLine = function (lineNumber) { return this._linesCollection.getLine(lineNumber); }; VisibleLinesCollection.prototype.renderLines = function (viewportData) { var inp = this._linesCollection._get(); var renderer = new ViewLayerRenderer(this.domNode.domNode, this._host, viewportData); var ctx = { rendLineNumberStart: inp.rendLineNumberStart, lines: inp.lines, linesLength: inp.lines.length }; // Decide if this render will do a single update (single large .innerHTML) or many updates (inserting/removing dom nodes) var resCtx = renderer.render(ctx, viewportData.startLineNumber, viewportData.endLineNumber, viewportData.relativeVerticalOffset); this._linesCollection._set(resCtx.rendLineNumberStart, resCtx.lines); }; return VisibleLinesCollection; }()); var ViewLayerRenderer = /** @class */ (function () { function ViewLayerRenderer(domNode, host, viewportData) { this.domNode = domNode; this.host = host; this.viewportData = viewportData; } ViewLayerRenderer.prototype.render = function (inContext, startLineNumber, stopLineNumber, deltaTop) { var ctx = { rendLineNumberStart: inContext.rendLineNumberStart, lines: inContext.lines.slice(0), linesLength: inContext.linesLength }; if ((ctx.rendLineNumberStart + ctx.linesLength - 1 < startLineNumber) || (stopLineNumber < ctx.rendLineNumberStart)) { // There is no overlap whatsoever ctx.rendLineNumberStart = startLineNumber; ctx.linesLength = stopLineNumber - startLineNumber + 1; ctx.lines = []; for (var x = startLineNumber; x <= stopLineNumber; x++) { ctx.lines[x - startLineNumber] = this.host.createVisibleLine(); } this._finishRendering(ctx, true, deltaTop); return ctx; } // Update lines which will remain untouched this._renderUntouchedLines(ctx, Math.max(startLineNumber - ctx.rendLineNumberStart, 0), Math.min(stopLineNumber - ctx.rendLineNumberStart, ctx.linesLength - 1), deltaTop, startLineNumber); if (ctx.rendLineNumberStart > startLineNumber) { // Insert lines before var fromLineNumber = startLineNumber; var toLineNumber = Math.min(stopLineNumber, ctx.rendLineNumberStart - 1); if (fromLineNumber <= toLineNumber) { this._insertLinesBefore(ctx, fromLineNumber, toLineNumber, deltaTop, startLineNumber); ctx.linesLength += toLineNumber - fromLineNumber + 1; } } else if (ctx.rendLineNumberStart < startLineNumber) { // Remove lines before var removeCnt = Math.min(ctx.linesLength, startLineNumber - ctx.rendLineNumberStart); if (removeCnt > 0) { this._removeLinesBefore(ctx, removeCnt); ctx.linesLength -= removeCnt; } } ctx.rendLineNumberStart = startLineNumber; if (ctx.rendLineNumberStart + ctx.linesLength - 1 < stopLineNumber) { // Insert lines after var fromLineNumber = ctx.rendLineNumberStart + ctx.linesLength; var toLineNumber = stopLineNumber; if (fromLineNumber <= toLineNumber) { this._insertLinesAfter(ctx, fromLineNumber, toLineNumber, deltaTop, startLineNumber); ctx.linesLength += toLineNumber - fromLineNumber + 1; } } else if (ctx.rendLineNumberStart + ctx.linesLength - 1 > stopLineNumber) { // Remove lines after var fromLineNumber = Math.max(0, stopLineNumber - ctx.rendLineNumberStart + 1); var toLineNumber = ctx.linesLength - 1; var removeCnt = toLineNumber - fromLineNumber + 1; if (removeCnt > 0) { this._removeLinesAfter(ctx, removeCnt); ctx.linesLength -= removeCnt; } } this._finishRendering(ctx, false, deltaTop); return ctx; }; ViewLayerRenderer.prototype._renderUntouchedLines = function (ctx, startIndex, endIndex, deltaTop, deltaLN) { var rendLineNumberStart = ctx.rendLineNumberStart; var lines = ctx.lines; for (var i = startIndex; i <= endIndex; i++) { var lineNumber = rendLineNumberStart + i; lines[i].layoutLine(lineNumber, deltaTop[lineNumber - deltaLN]); } }; ViewLayerRenderer.prototype._insertLinesBefore = function (ctx, fromLineNumber, toLineNumber, deltaTop, deltaLN) { var newLines = []; var newLinesLen = 0; for (var lineNumber = fromLineNumber; lineNumber <= toLineNumber; lineNumber++) { newLines[newLinesLen++] = this.host.createVisibleLine(); } ctx.lines = newLines.concat(ctx.lines); }; ViewLayerRenderer.prototype._removeLinesBefore = function (ctx, removeCount) { for (var i = 0; i < removeCount; i++) { var lineDomNode = ctx.lines[i].getDomNode(); if (lineDomNode) { this.domNode.removeChild(lineDomNode); } } ctx.lines.splice(0, removeCount); }; ViewLayerRenderer.prototype._insertLinesAfter = function (ctx, fromLineNumber, toLineNumber, deltaTop, deltaLN) { var newLines = []; var newLinesLen = 0; for (var lineNumber = fromLineNumber; lineNumber <= toLineNumber; lineNumber++) { newLines[newLinesLen++] = this.host.createVisibleLine(); } ctx.lines = ctx.lines.concat(newLines); }; ViewLayerRenderer.prototype._removeLinesAfter = function (ctx, removeCount) { var removeIndex = ctx.linesLength - removeCount; for (var i = 0; i < removeCount; i++) { var lineDomNode = ctx.lines[removeIndex + i].getDomNode(); if (lineDomNode) { this.domNode.removeChild(lineDomNode); } } ctx.lines.splice(removeIndex, removeCount); }; ViewLayerRenderer.prototype._finishRenderingNewLines = function (ctx, domNodeIsEmpty, newLinesHTML, wasNew) { var lastChild = this.domNode.lastChild; if (domNodeIsEmpty || !lastChild) { this.domNode.innerHTML = newLinesHTML; } else { lastChild.insertAdjacentHTML('afterend', newLinesHTML); } var currChild = this.domNode.lastChild; for (var i = ctx.linesLength - 1; i >= 0; i--) { var line = ctx.lines[i]; if (wasNew[i]) { line.setDomNode(currChild); currChild = currChild.previousSibling; } } }; ViewLayerRenderer.prototype._finishRenderingInvalidLines = function (ctx, invalidLinesHTML, wasInvalid) { var hugeDomNode = document.createElement('div'); hugeDomNode.innerHTML = invalidLinesHTML; for (var i = 0; i < ctx.linesLength; i++) { var line = ctx.lines[i]; if (wasInvalid[i]) { var source = hugeDomNode.firstChild; var lineDomNode = line.getDomNode(); lineDomNode.parentNode.replaceChild(source, lineDomNode); line.setDomNode(source); } } }; ViewLayerRenderer.prototype._finishRendering = function (ctx, domNodeIsEmpty, deltaTop) { var sb = ViewLayerRenderer._sb; var linesLength = ctx.linesLength; var lines = ctx.lines; var rendLineNumberStart = ctx.rendLineNumberStart; var wasNew = []; { sb.reset(); var hadNewLine = false; for (var i = 0; i < linesLength; i++) { var line = lines[i]; wasNew[i] = false; var lineDomNode = line.getDomNode(); if (lineDomNode) { // line is not new continue; } var renderResult = line.renderLine(i + rendLineNumberStart, deltaTop[i], this.viewportData, sb); if (!renderResult) { // line does not need rendering continue; } wasNew[i] = true; hadNewLine = true; } if (hadNewLine) { this._finishRenderingNewLines(ctx, domNodeIsEmpty, sb.build(), wasNew); } } { sb.reset(); var hadInvalidLine = false; var wasInvalid = []; for (var i = 0; i < linesLength; i++) { var line = lines[i]; wasInvalid[i] = false; if (wasNew[i]) { // line was new continue; } var renderResult = line.renderLine(i + rendLineNumberStart, deltaTop[i], this.viewportData, sb); if (!renderResult) { // line does not need rendering continue; } wasInvalid[i] = true; hadInvalidLine = true; } if (hadInvalidLine) { this._finishRenderingInvalidLines(ctx, sb.build(), wasInvalid); } } }; ViewLayerRenderer._sb = Object(__WEBPACK_IMPORTED_MODULE_1__common_core_stringBuilder_js__["a" /* createStringBuilder */])(100000); return ViewLayerRenderer; }()); /***/ }), /***/ 1577: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ARROW_IMG_SIZE; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ScrollbarArrow; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__globalMouseMoveMonitor_js__ = __webpack_require__(1449); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__widget_js__ = __webpack_require__(1578); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_async_js__ = __webpack_require__(1021); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * The arrow image size. */ var ARROW_IMG_SIZE = 11; var ScrollbarArrow = /** @class */ (function (_super) { __extends(ScrollbarArrow, _super); function ScrollbarArrow(opts) { var _this = _super.call(this) || this; _this._onActivate = opts.onActivate; _this.bgDomNode = document.createElement('div'); _this.bgDomNode.className = 'arrow-background'; _this.bgDomNode.style.position = 'absolute'; _this.bgDomNode.style.width = opts.bgWidth + 'px'; _this.bgDomNode.style.height = opts.bgHeight + 'px'; if (typeof opts.top !== 'undefined') { _this.bgDomNode.style.top = '0px'; } if (typeof opts.left !== 'undefined') { _this.bgDomNode.style.left = '0px'; } if (typeof opts.bottom !== 'undefined') { _this.bgDomNode.style.bottom = '0px'; } if (typeof opts.right !== 'undefined') { _this.bgDomNode.style.right = '0px'; } _this.domNode = document.createElement('div'); _this.domNode.className = opts.className; _this.domNode.style.position = 'absolute'; _this.domNode.style.width = ARROW_IMG_SIZE + 'px'; _this.domNode.style.height = ARROW_IMG_SIZE + 'px'; if (typeof opts.top !== 'undefined') { _this.domNode.style.top = opts.top + 'px'; } if (typeof opts.left !== 'undefined') { _this.domNode.style.left = opts.left + 'px'; } if (typeof opts.bottom !== 'undefined') { _this.domNode.style.bottom = opts.bottom + 'px'; } if (typeof opts.right !== 'undefined') { _this.domNode.style.right = opts.right + 'px'; } _this._mouseMoveMonitor = _this._register(new __WEBPACK_IMPORTED_MODULE_0__globalMouseMoveMonitor_js__["a" /* GlobalMouseMoveMonitor */]()); _this.onmousedown(_this.bgDomNode, function (e) { return _this._arrowMouseDown(e); }); _this.onmousedown(_this.domNode, function (e) { return _this._arrowMouseDown(e); }); _this._mousedownRepeatTimer = _this._register(new __WEBPACK_IMPORTED_MODULE_2__common_async_js__["b" /* IntervalTimer */]()); _this._mousedownScheduleRepeatTimer = _this._register(new __WEBPACK_IMPORTED_MODULE_2__common_async_js__["d" /* TimeoutTimer */]()); return _this; } ScrollbarArrow.prototype._arrowMouseDown = function (e) { var _this = this; var scheduleRepeater = function () { _this._mousedownRepeatTimer.cancelAndSet(function () { return _this._onActivate(); }, 1000 / 24); }; this._onActivate(); this._mousedownRepeatTimer.cancel(); this._mousedownScheduleRepeatTimer.cancelAndSet(scheduleRepeater, 200); this._mouseMoveMonitor.startMonitoring(__WEBPACK_IMPORTED_MODULE_0__globalMouseMoveMonitor_js__["b" /* standardMouseMoveMerger */], function (mouseMoveData) { /* Intentional empty */ }, function () { _this._mousedownRepeatTimer.cancel(); _this._mousedownScheduleRepeatTimer.cancel(); }); e.preventDefault(); }; return ScrollbarArrow; }(__WEBPACK_IMPORTED_MODULE_1__widget_js__["a" /* Widget */])); /***/ }), /***/ 1578: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Widget; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var Widget = /** @class */ (function (_super) { __extends(Widget, _super); function Widget() { return _super !== null && _super.apply(this, arguments) || this; } Widget.prototype.onclick = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].CLICK, function (e) { return listener(new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](e)); })); }; Widget.prototype.onmousedown = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].MOUSE_DOWN, function (e) { return listener(new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](e)); })); }; Widget.prototype.onmouseover = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].MOUSE_OVER, function (e) { return listener(new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](e)); })); }; Widget.prototype.onnonbubblingmouseout = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["h" /* addDisposableNonBubblingMouseOutListener */](domNode, function (e) { return listener(new __WEBPACK_IMPORTED_MODULE_2__mouseEvent_js__["a" /* StandardMouseEvent */](e)); })); }; Widget.prototype.onkeydown = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].KEY_DOWN, function (e) { return listener(new __WEBPACK_IMPORTED_MODULE_1__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e)); })); }; Widget.prototype.onkeyup = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].KEY_UP, function (e) { return listener(new __WEBPACK_IMPORTED_MODULE_1__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e)); })); }; Widget.prototype.oninput = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].INPUT, listener)); }; Widget.prototype.onblur = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].BLUR, listener)); }; Widget.prototype.onfocus = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].FOCUS, listener)); }; Widget.prototype.onchange = function (domNode, listener) { this._register(__WEBPACK_IMPORTED_MODULE_0__dom_js__["g" /* addDisposableListener */](domNode, __WEBPACK_IMPORTED_MODULE_0__dom_js__["c" /* EventType */].CHANGE, listener)); }; return Widget; }(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1579: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DecorationToRender; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return DedupOverlay; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return GlyphMarginOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__glyphMargin_css__ = __webpack_require__(1972); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__glyphMargin_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__glyphMargin_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var DecorationToRender = /** @class */ (function () { function DecorationToRender(startLineNumber, endLineNumber, className) { this.startLineNumber = +startLineNumber; this.endLineNumber = +endLineNumber; this.className = String(className); } return DecorationToRender; }()); var DedupOverlay = /** @class */ (function (_super) { __extends(DedupOverlay, _super); function DedupOverlay() { return _super !== null && _super.apply(this, arguments) || this; } DedupOverlay.prototype._render = function (visibleStartLineNumber, visibleEndLineNumber, decorations) { var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; output[lineIndex] = []; } if (decorations.length === 0) { return output; } decorations.sort(function (a, b) { if (a.className === b.className) { if (a.startLineNumber === b.startLineNumber) { return a.endLineNumber - b.endLineNumber; } return a.startLineNumber - b.startLineNumber; } return (a.className < b.className ? -1 : 1); }); var prevClassName = null; var prevEndLineIndex = 0; for (var i = 0, len = decorations.length; i < len; i++) { var d = decorations[i]; var className = d.className; var startLineIndex = Math.max(d.startLineNumber, visibleStartLineNumber) - visibleStartLineNumber; var endLineIndex = Math.min(d.endLineNumber, visibleEndLineNumber) - visibleStartLineNumber; if (prevClassName === className) { startLineIndex = Math.max(prevEndLineIndex + 1, startLineIndex); prevEndLineIndex = Math.max(prevEndLineIndex, endLineIndex); } else { prevClassName = className; prevEndLineIndex = endLineIndex; } for (var i_1 = startLineIndex; i_1 <= prevEndLineIndex; i_1++) { output[i_1].push(prevClassName); } } return output; }; return DedupOverlay; }(__WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); var GlyphMarginOverlay = /** @class */ (function (_super) { __extends(GlyphMarginOverlay, _super); function GlyphMarginOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._glyphMargin = _this._context.configuration.editor.viewInfo.glyphMargin; _this._glyphMarginLeft = _this._context.configuration.editor.layoutInfo.glyphMarginLeft; _this._glyphMarginWidth = _this._context.configuration.editor.layoutInfo.glyphMarginWidth; _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } GlyphMarginOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers GlyphMarginOverlay.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.viewInfo) { this._glyphMargin = this._context.configuration.editor.viewInfo.glyphMargin; } if (e.layoutInfo) { this._glyphMarginLeft = this._context.configuration.editor.layoutInfo.glyphMarginLeft; this._glyphMarginWidth = this._context.configuration.editor.layoutInfo.glyphMarginWidth; } return true; }; GlyphMarginOverlay.prototype.onDecorationsChanged = function (e) { return true; }; GlyphMarginOverlay.prototype.onFlushed = function (e) { return true; }; GlyphMarginOverlay.prototype.onLinesChanged = function (e) { return true; }; GlyphMarginOverlay.prototype.onLinesDeleted = function (e) { return true; }; GlyphMarginOverlay.prototype.onLinesInserted = function (e) { return true; }; GlyphMarginOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; }; GlyphMarginOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers GlyphMarginOverlay.prototype._getDecorations = function (ctx) { var decorations = ctx.getDecorationsInViewport(); var r = [], rLen = 0; for (var i = 0, len = decorations.length; i < len; i++) { var d = decorations[i]; var glyphMarginClassName = d.options.glyphMarginClassName; if (glyphMarginClassName) { r[rLen++] = new DecorationToRender(d.range.startLineNumber, d.range.endLineNumber, glyphMarginClassName); } } return r; }; GlyphMarginOverlay.prototype.prepareRender = function (ctx) { if (!this._glyphMargin) { this._renderResult = null; return; } var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; var toRender = this._render(visibleStartLineNumber, visibleEndLineNumber, this._getDecorations(ctx)); var lineHeight = this._lineHeight.toString(); var left = this._glyphMarginLeft.toString(); var width = this._glyphMarginWidth.toString(); var common = '" style="left:' + left + 'px;width:' + width + 'px' + ';height:' + lineHeight + 'px;"></div>'; var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; var classNames = toRender[lineIndex]; if (classNames.length === 0) { output[lineIndex] = ''; } else { output[lineIndex] = ('<div class="cgmr ' + classNames.join(' ') + common); } } this._renderResult = output; }; GlyphMarginOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } var lineIndex = lineNumber - startLineNumber; if (lineIndex < 0 || lineIndex >= this._renderResult.length) { return ''; } return this._renderResult[lineIndex]; }; return GlyphMarginOverlay; }(DedupOverlay)); /***/ }), /***/ 1580: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return MinimapTokensColorTracker; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MinimapCharRenderer; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_rgba_js__ = __webpack_require__(1989); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__modes_js__ = __webpack_require__(1044); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var MinimapTokensColorTracker = /** @class */ (function () { function MinimapTokensColorTracker() { var _this = this; this._onDidChange = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); this.onDidChange = this._onDidChange.event; this._updateColorMap(); __WEBPACK_IMPORTED_MODULE_2__modes_js__["v" /* TokenizationRegistry */].onDidChange(function (e) { if (e.changedColorMap) { _this._updateColorMap(); } }); } MinimapTokensColorTracker.getInstance = function () { if (!this._INSTANCE) { this._INSTANCE = new MinimapTokensColorTracker(); } return this._INSTANCE; }; MinimapTokensColorTracker.prototype._updateColorMap = function () { var colorMap = __WEBPACK_IMPORTED_MODULE_2__modes_js__["v" /* TokenizationRegistry */].getColorMap(); if (!colorMap) { this._colors = [__WEBPACK_IMPORTED_MODULE_1__core_rgba_js__["a" /* RGBA8 */].Empty]; this._backgroundIsLight = true; return; } this._colors = [__WEBPACK_IMPORTED_MODULE_1__core_rgba_js__["a" /* RGBA8 */].Empty]; for (var colorId = 1; colorId < colorMap.length; colorId++) { var source = colorMap[colorId].rgba; // Use a VM friendly data-type this._colors[colorId] = new __WEBPACK_IMPORTED_MODULE_1__core_rgba_js__["a" /* RGBA8 */](source.r, source.g, source.b, Math.round(source.a * 255)); } var backgroundLuminosity = colorMap[2 /* DefaultBackground */].getRelativeLuminance(); this._backgroundIsLight = (backgroundLuminosity >= 0.5); this._onDidChange.fire(undefined); }; MinimapTokensColorTracker.prototype.getColor = function (colorId) { if (colorId < 1 || colorId >= this._colors.length) { // background color (basically invisible) colorId = 2 /* DefaultBackground */; } return this._colors[colorId]; }; MinimapTokensColorTracker.prototype.backgroundIsLight = function () { return this._backgroundIsLight; }; MinimapTokensColorTracker._INSTANCE = null; return MinimapTokensColorTracker; }()); var MinimapCharRenderer = /** @class */ (function () { function MinimapCharRenderer(x2CharData, x1CharData) { var x2ExpectedLen = 4 /* x2_CHAR_HEIGHT */ * 2 /* x2_CHAR_WIDTH */ * 95 /* CHAR_COUNT */; if (x2CharData.length !== x2ExpectedLen) { throw new Error('Invalid x2CharData'); } var x1ExpectedLen = 2 /* x1_CHAR_HEIGHT */ * 1 /* x1_CHAR_WIDTH */ * 95 /* CHAR_COUNT */; if (x1CharData.length !== x1ExpectedLen) { throw new Error('Invalid x1CharData'); } this.x2charData = x2CharData; this.x1charData = x1CharData; this.x2charDataLight = MinimapCharRenderer.soften(x2CharData, 12 / 15); this.x1charDataLight = MinimapCharRenderer.soften(x1CharData, 50 / 60); } MinimapCharRenderer.soften = function (input, ratio) { var result = new Uint8ClampedArray(input.length); for (var i = 0, len = input.length; i < len; i++) { result[i] = input[i] * ratio; } return result; }; MinimapCharRenderer._getChIndex = function (chCode) { chCode -= 32 /* START_CH_CODE */; if (chCode < 0) { chCode += 95 /* CHAR_COUNT */; } return (chCode % 95 /* CHAR_COUNT */); }; MinimapCharRenderer.prototype.x2RenderChar = function (target, dx, dy, chCode, color, backgroundColor, useLighterFont) { if (dx + 2 /* x2_CHAR_WIDTH */ > target.width || dy + 4 /* x2_CHAR_HEIGHT */ > target.height) { console.warn('bad render request outside image data'); return; } var x2CharData = useLighterFont ? this.x2charDataLight : this.x2charData; var chIndex = MinimapCharRenderer._getChIndex(chCode); var outWidth = target.width * 4 /* RGBA_CHANNELS_CNT */; var backgroundR = backgroundColor.r; var backgroundG = backgroundColor.g; var backgroundB = backgroundColor.b; var deltaR = color.r - backgroundR; var deltaG = color.g - backgroundG; var deltaB = color.b - backgroundB; var dest = target.data; var sourceOffset = chIndex * 4 /* x2_CHAR_HEIGHT */ * 2 /* x2_CHAR_WIDTH */; var destOffset = dy * outWidth + dx * 4 /* RGBA_CHANNELS_CNT */; { var c = x2CharData[sourceOffset] / 255; dest[destOffset + 0] = backgroundR + deltaR * c; dest[destOffset + 1] = backgroundG + deltaG * c; dest[destOffset + 2] = backgroundB + deltaB * c; } { var c = x2CharData[sourceOffset + 1] / 255; dest[destOffset + 4] = backgroundR + deltaR * c; dest[destOffset + 5] = backgroundG + deltaG * c; dest[destOffset + 6] = backgroundB + deltaB * c; } destOffset += outWidth; { var c = x2CharData[sourceOffset + 2] / 255; dest[destOffset + 0] = backgroundR + deltaR * c; dest[destOffset + 1] = backgroundG + deltaG * c; dest[destOffset + 2] = backgroundB + deltaB * c; } { var c = x2CharData[sourceOffset + 3] / 255; dest[destOffset + 4] = backgroundR + deltaR * c; dest[destOffset + 5] = backgroundG + deltaG * c; dest[destOffset + 6] = backgroundB + deltaB * c; } destOffset += outWidth; { var c = x2CharData[sourceOffset + 4] / 255; dest[destOffset + 0] = backgroundR + deltaR * c; dest[destOffset + 1] = backgroundG + deltaG * c; dest[destOffset + 2] = backgroundB + deltaB * c; } { var c = x2CharData[sourceOffset + 5] / 255; dest[destOffset + 4] = backgroundR + deltaR * c; dest[destOffset + 5] = backgroundG + deltaG * c; dest[destOffset + 6] = backgroundB + deltaB * c; } destOffset += outWidth; { var c = x2CharData[sourceOffset + 6] / 255; dest[destOffset + 0] = backgroundR + deltaR * c; dest[destOffset + 1] = backgroundG + deltaG * c; dest[destOffset + 2] = backgroundB + deltaB * c; } { var c = x2CharData[sourceOffset + 7] / 255; dest[destOffset + 4] = backgroundR + deltaR * c; dest[destOffset + 5] = backgroundG + deltaG * c; dest[destOffset + 6] = backgroundB + deltaB * c; } }; MinimapCharRenderer.prototype.x1RenderChar = function (target, dx, dy, chCode, color, backgroundColor, useLighterFont) { if (dx + 1 /* x1_CHAR_WIDTH */ > target.width || dy + 2 /* x1_CHAR_HEIGHT */ > target.height) { console.warn('bad render request outside image data'); return; } var x1CharData = useLighterFont ? this.x1charDataLight : this.x1charData; var chIndex = MinimapCharRenderer._getChIndex(chCode); var outWidth = target.width * 4 /* RGBA_CHANNELS_CNT */; var backgroundR = backgroundColor.r; var backgroundG = backgroundColor.g; var backgroundB = backgroundColor.b; var deltaR = color.r - backgroundR; var deltaG = color.g - backgroundG; var deltaB = color.b - backgroundB; var dest = target.data; var sourceOffset = chIndex * 2 /* x1_CHAR_HEIGHT */ * 1 /* x1_CHAR_WIDTH */; var destOffset = dy * outWidth + dx * 4 /* RGBA_CHANNELS_CNT */; { var c = x1CharData[sourceOffset] / 255; dest[destOffset + 0] = backgroundR + deltaR * c; dest[destOffset + 1] = backgroundG + deltaG * c; dest[destOffset + 2] = backgroundB + deltaB * c; } destOffset += outWidth; { var c = x1CharData[sourceOffset + 1] / 255; dest[destOffset + 0] = backgroundR + deltaR * c; dest[destOffset + 1] = backgroundG + deltaG * c; dest[destOffset + 2] = backgroundB + deltaB * c; } }; MinimapCharRenderer.prototype.x2BlockRenderChar = function (target, dx, dy, color, backgroundColor, useLighterFont) { if (dx + 2 /* x2_CHAR_WIDTH */ > target.width || dy + 4 /* x2_CHAR_HEIGHT */ > target.height) { console.warn('bad render request outside image data'); return; } var outWidth = target.width * 4 /* RGBA_CHANNELS_CNT */; var c = 0.5; var backgroundR = backgroundColor.r; var backgroundG = backgroundColor.g; var backgroundB = backgroundColor.b; var deltaR = color.r - backgroundR; var deltaG = color.g - backgroundG; var deltaB = color.b - backgroundB; var colorR = backgroundR + deltaR * c; var colorG = backgroundG + deltaG * c; var colorB = backgroundB + deltaB * c; var dest = target.data; var destOffset = dy * outWidth + dx * 4 /* RGBA_CHANNELS_CNT */; { dest[destOffset + 0] = colorR; dest[destOffset + 1] = colorG; dest[destOffset + 2] = colorB; } { dest[destOffset + 4] = colorR; dest[destOffset + 5] = colorG; dest[destOffset + 6] = colorB; } destOffset += outWidth; { dest[destOffset + 0] = colorR; dest[destOffset + 1] = colorG; dest[destOffset + 2] = colorB; } { dest[destOffset + 4] = colorR; dest[destOffset + 5] = colorG; dest[destOffset + 6] = colorB; } destOffset += outWidth; { dest[destOffset + 0] = colorR; dest[destOffset + 1] = colorG; dest[destOffset + 2] = colorB; } { dest[destOffset + 4] = colorR; dest[destOffset + 5] = colorG; dest[destOffset + 6] = colorB; } destOffset += outWidth; { dest[destOffset + 0] = colorR; dest[destOffset + 1] = colorG; dest[destOffset + 2] = colorB; } { dest[destOffset + 4] = colorR; dest[destOffset + 5] = colorG; dest[destOffset + 6] = colorB; } }; MinimapCharRenderer.prototype.x1BlockRenderChar = function (target, dx, dy, color, backgroundColor, useLighterFont) { if (dx + 1 /* x1_CHAR_WIDTH */ > target.width || dy + 2 /* x1_CHAR_HEIGHT */ > target.height) { console.warn('bad render request outside image data'); return; } var outWidth = target.width * 4 /* RGBA_CHANNELS_CNT */; var c = 0.5; var backgroundR = backgroundColor.r; var backgroundG = backgroundColor.g; var backgroundB = backgroundColor.b; var deltaR = color.r - backgroundR; var deltaG = color.g - backgroundG; var deltaB = color.b - backgroundB; var colorR = backgroundR + deltaR * c; var colorG = backgroundG + deltaG * c; var colorB = backgroundB + deltaB * c; var dest = target.data; var destOffset = dy * outWidth + dx * 4 /* RGBA_CHANNELS_CNT */; { dest[destOffset + 0] = colorR; dest[destOffset + 1] = colorG; dest[destOffset + 2] = colorB; } destOffset += outWidth; { dest[destOffset + 0] = colorR; dest[destOffset + 1] = colorG; dest[destOffset + 2] = colorB; } }; return MinimapCharRenderer; }()); /***/ }), /***/ 1581: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IStandaloneThemeService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IStandaloneThemeService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('themeService'); /***/ }), /***/ 1582: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export Extensions */ /* unused harmony export EditorModesRegistry */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ModesRegistry; }); /* unused harmony export PLAINTEXT_MODE_ID */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return PLAINTEXT_LANGUAGE_IDENTIFIER; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__languageConfigurationRegistry_js__ = __webpack_require__(1327); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__platform_registry_common_platform_js__ = __webpack_require__(1203); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // Define extension point ids var Extensions = { ModesRegistry: 'editor.modesRegistry' }; var EditorModesRegistry = /** @class */ (function () { function EditorModesRegistry() { this._onDidChangeLanguages = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this.onDidChangeLanguages = this._onDidChangeLanguages.event; this._languages = []; this._dynamicLanguages = []; } // --- languages EditorModesRegistry.prototype.registerLanguage = function (def) { this._languages.push(def); this._onDidChangeLanguages.fire(undefined); }; EditorModesRegistry.prototype.getLanguages = function () { return [].concat(this._languages).concat(this._dynamicLanguages); }; return EditorModesRegistry; }()); var ModesRegistry = new EditorModesRegistry(); __WEBPACK_IMPORTED_MODULE_4__platform_registry_common_platform_js__["a" /* Registry */].add(Extensions.ModesRegistry, ModesRegistry); var PLAINTEXT_MODE_ID = 'plaintext'; var PLAINTEXT_LANGUAGE_IDENTIFIER = new __WEBPACK_IMPORTED_MODULE_2__modes_js__["o" /* LanguageIdentifier */](PLAINTEXT_MODE_ID, 1 /* PlainText */); ModesRegistry.registerLanguage({ id: PLAINTEXT_MODE_ID, extensions: ['.txt', '.gitignore'], aliases: [__WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('plainText.alias', "Plain Text"), 'text'], mimetypes: ['text/plain'] }); __WEBPACK_IMPORTED_MODULE_3__languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].register(PLAINTEXT_LANGUAGE_IDENTIFIER, { brackets: [ ['(', ')'], ['[', ']'], ['{', '}'], ] }); /***/ }), /***/ 1583: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Range; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Range; (function (Range) { /** * Returns the intersection between two ranges as a range itself. * Returns `{ start: 0, end: 0 }` if the intersection is empty. */ function intersect(one, other) { if (one.start >= other.end || other.start >= one.end) { return { start: 0, end: 0 }; } var start = Math.max(one.start, other.start); var end = Math.min(one.end, other.end); if (end - start <= 0) { return { start: 0, end: 0 }; } return { start: start, end: end }; } Range.intersect = intersect; function isEmpty(range) { return range.end - range.start <= 0; } Range.isEmpty = isEmpty; function intersects(one, other) { return !isEmpty(intersect(one, other)); } Range.intersects = intersects; function relativeComplement(one, other) { var result = []; var first = { start: one.start, end: Math.min(other.start, one.end) }; var second = { start: Math.max(other.end, one.start), end: one.end }; if (!isEmpty(first)) { result.push(first); } if (!isEmpty(second)) { result.push(second); } return result; } Range.relativeComplement = relativeComplement; })(Range || (Range = {})); /***/ }), /***/ 1584: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ElementsDragAndDropData; }); /* unused harmony export ExternalElementsDragAndDropData */ /* unused harmony export DesktopDragAndDropData */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ListView; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__touch_js__ = __webpack_require__(1397); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__event_js__ = __webpack_require__(1357); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__scrollbar_scrollableElement_js__ = __webpack_require__(1452); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__rangeMap_js__ = __webpack_require__(2070); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__rowCache_js__ = __webpack_require__(2071); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__ = __webpack_require__(1574); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__common_range_js__ = __webpack_require__(1583); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__dnd_js__ = __webpack_require__(1721); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_async_js__ = __webpack_require__(1021); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var DefaultOptions = { useShadows: true, verticalScrollMode: 1 /* Auto */, setRowLineHeight: true, supportDynamicHeights: false, dnd: { getDragElements: function (e) { return [e]; }, getDragURI: function () { return null; }, onDragStart: function () { }, onDragOver: function () { return false; }, drop: function () { } }, horizontalScrolling: false }; var ElementsDragAndDropData = /** @class */ (function () { function ElementsDragAndDropData(elements) { this.elements = elements; } ElementsDragAndDropData.prototype.update = function () { }; ElementsDragAndDropData.prototype.getData = function () { return this.elements; }; return ElementsDragAndDropData; }()); var ExternalElementsDragAndDropData = /** @class */ (function () { function ExternalElementsDragAndDropData(elements) { this.elements = elements; } ExternalElementsDragAndDropData.prototype.update = function () { }; ExternalElementsDragAndDropData.prototype.getData = function () { return this.elements; }; return ExternalElementsDragAndDropData; }()); var DesktopDragAndDropData = /** @class */ (function () { function DesktopDragAndDropData() { this.types = []; this.files = []; } DesktopDragAndDropData.prototype.update = function (dataTransfer) { var _a; if (dataTransfer.types) { (_a = this.types).splice.apply(_a, [0, this.types.length].concat(dataTransfer.types)); } if (dataTransfer.files) { this.files.splice(0, this.files.length); for (var i = 0; i < dataTransfer.files.length; i++) { var file = dataTransfer.files.item(i); if (file && (file.size || file.type)) { this.files.push(file); } } } }; DesktopDragAndDropData.prototype.getData = function () { return { types: this.types, files: this.files }; }; return DesktopDragAndDropData; }()); function equalsDragFeedback(f1, f2) { if (Array.isArray(f1) && Array.isArray(f2)) { return Object(__WEBPACK_IMPORTED_MODULE_13__common_arrays_js__["d" /* equals */])(f1, f2); } return f1 === f2; } var ListView = /** @class */ (function () { // private _onDragStart = new Emitter<{ element: T, uri: string, event: DragEvent }>(); // readonly onDragStart = this._onDragStart.event; // readonly onDragOver: Event<IListDragEvent<T>>; // readonly onDragLeave: Event<void>; // readonly onDrop: Event<IListDragEvent<T>>; // readonly onDragEnd: Event<void>; function ListView(container, virtualDelegate, renderers, options) { if (options === void 0) { options = DefaultOptions; } var _this = this; this.virtualDelegate = virtualDelegate; this.domId = "list_id_" + ++ListView.InstanceCount; this.renderers = new Map(); this.renderWidth = 0; this.scrollableElementUpdateDisposable = null; this.scrollableElementWidthDelayer = new __WEBPACK_IMPORTED_MODULE_15__common_async_js__["a" /* Delayer */](50); this.splicing = false; this.dragOverAnimationStopDisposable = __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */].None; this.canUseTranslate3d = undefined; this.canDrop = false; this.currentDragFeedbackDisposable = __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */].None; this.onDragLeaveTimeout = __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */].None; this._onDidChangeContentHeight = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["a" /* Emitter */](); if (options.horizontalScrolling && options.supportDynamicHeights) { throw new Error('Horizontal scrolling and dynamic heights not supported simultaneously'); } this.items = []; this.itemId = 0; this.rangeMap = new __WEBPACK_IMPORTED_MODULE_7__rangeMap_js__["a" /* RangeMap */](); for (var _i = 0, renderers_1 = renderers; _i < renderers_1.length; _i++) { var renderer = renderers_1[_i]; this.renderers.set(renderer.templateId, renderer); } this.cache = new __WEBPACK_IMPORTED_MODULE_8__rowCache_js__["a" /* RowCache */](this.renderers); this.lastRenderTop = 0; this.lastRenderHeight = 0; this.domNode = document.createElement('div'); this.domNode.className = 'monaco-list'; __WEBPACK_IMPORTED_MODULE_3__dom_js__["e" /* addClass */](this.domNode, this.domId); this.domNode.tabIndex = 0; __WEBPACK_IMPORTED_MODULE_3__dom_js__["M" /* toggleClass */](this.domNode, 'mouse-support', typeof options.mouseSupport === 'boolean' ? options.mouseSupport : true); this.horizontalScrolling = Object(__WEBPACK_IMPORTED_MODULE_0__common_objects_js__["e" /* getOrDefault */])(options, function (o) { return o.horizontalScrolling; }, DefaultOptions.horizontalScrolling); __WEBPACK_IMPORTED_MODULE_3__dom_js__["M" /* toggleClass */](this.domNode, 'horizontal-scrolling', this.horizontalScrolling); this.ariaSetProvider = options.ariaSetProvider || { getSetSize: function (e, i, length) { return length; }, getPosInSet: function (_, index) { return index + 1; } }; this.rowsContainer = document.createElement('div'); this.rowsContainer.className = 'monaco-list-rows'; __WEBPACK_IMPORTED_MODULE_2__touch_js__["b" /* Gesture */].addTarget(this.rowsContainer); this.scrollableElement = new __WEBPACK_IMPORTED_MODULE_6__scrollbar_scrollableElement_js__["b" /* ScrollableElement */](this.rowsContainer, { alwaysConsumeMouseWheel: true, horizontal: this.horizontalScrolling ? 1 /* Auto */ : 2 /* Hidden */, vertical: Object(__WEBPACK_IMPORTED_MODULE_0__common_objects_js__["e" /* getOrDefault */])(options, function (o) { return o.verticalScrollMode; }, DefaultOptions.verticalScrollMode), useShadows: Object(__WEBPACK_IMPORTED_MODULE_0__common_objects_js__["e" /* getOrDefault */])(options, function (o) { return o.useShadows; }, DefaultOptions.useShadows) }); this.domNode.appendChild(this.scrollableElement.getDomNode()); container.appendChild(this.domNode); this.disposables = [this.rangeMap, this.gesture, this.scrollableElement, this.cache]; this.onDidScroll = __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].signal(this.scrollableElement.onScroll); this.scrollableElement.onScroll(this.onScroll, this, this.disposables); Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.rowsContainer, __WEBPACK_IMPORTED_MODULE_2__touch_js__["a" /* EventType */].Change)(this.onTouchChange, this, this.disposables); // Prevent the monaco-scrollable-element from scrolling // https://github.com/Microsoft/vscode/issues/44181 Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.scrollableElement.getDomNode(), 'scroll')(function (e) { return e.target.scrollTop = 0; }, null, this.disposables); __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'dragover'), function (e) { return _this.toDragEvent(e); })(this.onDragOver, this, this.disposables); __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'drop'), function (e) { return _this.toDragEvent(e); })(this.onDrop, this, this.disposables); Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'dragleave')(this.onDragLeave, this, this.disposables); Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(window, 'dragend')(this.onDragEnd, this, this.disposables); this.setRowLineHeight = Object(__WEBPACK_IMPORTED_MODULE_0__common_objects_js__["e" /* getOrDefault */])(options, function (o) { return o.setRowLineHeight; }, DefaultOptions.setRowLineHeight); this.supportDynamicHeights = Object(__WEBPACK_IMPORTED_MODULE_0__common_objects_js__["e" /* getOrDefault */])(options, function (o) { return o.supportDynamicHeights; }, DefaultOptions.supportDynamicHeights); this.dnd = Object(__WEBPACK_IMPORTED_MODULE_0__common_objects_js__["e" /* getOrDefault */])(options, function (o) { return o.dnd; }, DefaultOptions.dnd); this.layout(); } Object.defineProperty(ListView.prototype, "contentHeight", { get: function () { return this.rangeMap.size; }, enumerable: true, configurable: true }); ListView.prototype.splice = function (start, deleteCount, elements) { if (elements === void 0) { elements = []; } if (this.splicing) { throw new Error('Can\'t run recursive splices.'); } this.splicing = true; try { return this._splice(start, deleteCount, elements); } finally { this.splicing = false; this._onDidChangeContentHeight.fire(this.contentHeight); } }; ListView.prototype._splice = function (start, deleteCount, elements) { var _this = this; if (elements === void 0) { elements = []; } var _a; var previousRenderRange = this.getRenderRange(this.lastRenderTop, this.lastRenderHeight); var deleteRange = { start: start, end: start + deleteCount }; var removeRange = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].intersect(previousRenderRange, deleteRange); for (var i = removeRange.start; i < removeRange.end; i++) { this.removeItemFromDOM(i); } var previousRestRange = { start: start + deleteCount, end: this.items.length }; var previousRenderedRestRange = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].intersect(previousRestRange, previousRenderRange); var previousUnrenderedRestRanges = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].relativeComplement(previousRestRange, previousRenderRange); var inserted = elements.map(function (element) { return ({ id: String(_this.itemId++), element: element, templateId: _this.virtualDelegate.getTemplateId(element), size: _this.virtualDelegate.getHeight(element), width: undefined, hasDynamicHeight: !!_this.virtualDelegate.hasDynamicHeight && _this.virtualDelegate.hasDynamicHeight(element), lastDynamicHeightWidth: undefined, row: null, uri: undefined, dropTarget: false, dragStartDisposable: __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */].None }); }); var deleted; // TODO@joao: improve this optimization to catch even more cases if (start === 0 && deleteCount >= this.items.length) { this.rangeMap = new __WEBPACK_IMPORTED_MODULE_7__rangeMap_js__["a" /* RangeMap */](); this.rangeMap.splice(0, 0, inserted); this.items = inserted; deleted = []; } else { this.rangeMap.splice(start, deleteCount, inserted); deleted = (_a = this.items).splice.apply(_a, [start, deleteCount].concat(inserted)); } var delta = elements.length - deleteCount; var renderRange = this.getRenderRange(this.lastRenderTop, this.lastRenderHeight); var renderedRestRange = Object(__WEBPACK_IMPORTED_MODULE_7__rangeMap_js__["b" /* shift */])(previousRenderedRestRange, delta); var updateRange = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].intersect(renderRange, renderedRestRange); for (var i = updateRange.start; i < updateRange.end; i++) { this.updateItemInDOM(this.items[i], i); } var removeRanges = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].relativeComplement(renderedRestRange, renderRange); for (var _i = 0, removeRanges_1 = removeRanges; _i < removeRanges_1.length; _i++) { var range = removeRanges_1[_i]; for (var i = range.start; i < range.end; i++) { this.removeItemFromDOM(i); } } var unrenderedRestRanges = previousUnrenderedRestRanges.map(function (r) { return Object(__WEBPACK_IMPORTED_MODULE_7__rangeMap_js__["b" /* shift */])(r, delta); }); var elementsRange = { start: start, end: start + elements.length }; var insertRanges = [elementsRange].concat(unrenderedRestRanges).map(function (r) { return __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].intersect(renderRange, r); }); var beforeElement = this.getNextToLastElement(insertRanges); for (var _b = 0, insertRanges_1 = insertRanges; _b < insertRanges_1.length; _b++) { var range = insertRanges_1[_b]; for (var i = range.start; i < range.end; i++) { this.insertItemInDOM(i, beforeElement); } } this.eventuallyUpdateScrollDimensions(); if (this.supportDynamicHeights) { this._rerender(this.scrollTop, this.renderHeight); } return deleted.map(function (i) { return i.element; }); }; ListView.prototype.eventuallyUpdateScrollDimensions = function () { var _this = this; this._scrollHeight = this.contentHeight; this.rowsContainer.style.height = this._scrollHeight + "px"; if (!this.scrollableElementUpdateDisposable) { this.scrollableElementUpdateDisposable = __WEBPACK_IMPORTED_MODULE_3__dom_js__["K" /* scheduleAtNextAnimationFrame */](function () { _this.scrollableElement.setScrollDimensions({ scrollHeight: _this.scrollHeight }); _this.updateScrollWidth(); _this.scrollableElementUpdateDisposable = null; }); } }; ListView.prototype.eventuallyUpdateScrollWidth = function () { var _this = this; if (!this.horizontalScrolling) { return; } this.scrollableElementWidthDelayer.trigger(function () { return _this.updateScrollWidth(); }); }; ListView.prototype.updateScrollWidth = function () { if (!this.horizontalScrolling) { return; } if (this.items.length === 0) { this.scrollableElement.setScrollDimensions({ scrollWidth: 0 }); } var scrollWidth = 0; for (var _i = 0, _a = this.items; _i < _a.length; _i++) { var item = _a[_i]; if (typeof item.width !== 'undefined') { scrollWidth = Math.max(scrollWidth, item.width); } } this.scrollWidth = scrollWidth; this.scrollableElement.setScrollDimensions({ scrollWidth: scrollWidth + 10 }); }; ListView.prototype.rerender = function () { if (!this.supportDynamicHeights) { return; } for (var _i = 0, _a = this.items; _i < _a.length; _i++) { var item = _a[_i]; item.lastDynamicHeightWidth = undefined; } this._rerender(this.lastRenderTop, this.lastRenderHeight); }; Object.defineProperty(ListView.prototype, "length", { get: function () { return this.items.length; }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "renderHeight", { get: function () { var scrollDimensions = this.scrollableElement.getScrollDimensions(); return scrollDimensions.height; }, enumerable: true, configurable: true }); ListView.prototype.element = function (index) { return this.items[index].element; }; ListView.prototype.domElement = function (index) { var row = this.items[index].row; return row && row.domNode; }; ListView.prototype.elementHeight = function (index) { return this.items[index].size; }; ListView.prototype.elementTop = function (index) { return this.rangeMap.positionAt(index); }; ListView.prototype.indexAt = function (position) { return this.rangeMap.indexAt(position); }; ListView.prototype.indexAfter = function (position) { return this.rangeMap.indexAfter(position); }; ListView.prototype.layout = function (height, width) { var scrollDimensions = { height: typeof height === 'number' ? height : __WEBPACK_IMPORTED_MODULE_3__dom_js__["q" /* getContentHeight */](this.domNode) }; if (this.scrollableElementUpdateDisposable) { this.scrollableElementUpdateDisposable.dispose(); this.scrollableElementUpdateDisposable = null; scrollDimensions.scrollHeight = this.scrollHeight; } this.scrollableElement.setScrollDimensions(scrollDimensions); if (typeof width !== 'undefined') { this.renderWidth = width; if (this.supportDynamicHeights) { this._rerender(this.scrollTop, this.renderHeight); } if (this.horizontalScrolling) { this.scrollableElement.setScrollDimensions({ width: typeof width === 'number' ? width : __WEBPACK_IMPORTED_MODULE_3__dom_js__["r" /* getContentWidth */](this.domNode) }); } } }; // Render ListView.prototype.render = function (renderTop, renderHeight, renderLeft, scrollWidth) { var previousRenderRange = this.getRenderRange(this.lastRenderTop, this.lastRenderHeight); var renderRange = this.getRenderRange(renderTop, renderHeight); var rangesToInsert = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].relativeComplement(renderRange, previousRenderRange); var rangesToRemove = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].relativeComplement(previousRenderRange, renderRange); var beforeElement = this.getNextToLastElement(rangesToInsert); for (var _i = 0, rangesToInsert_1 = rangesToInsert; _i < rangesToInsert_1.length; _i++) { var range = rangesToInsert_1[_i]; for (var i = range.start; i < range.end; i++) { this.insertItemInDOM(i, beforeElement); } } for (var _a = 0, rangesToRemove_1 = rangesToRemove; _a < rangesToRemove_1.length; _a++) { var range = rangesToRemove_1[_a]; for (var i = range.start; i < range.end; i++) { this.removeItemFromDOM(i); } } var canUseTranslate3d = !__WEBPACK_IMPORTED_MODULE_9__common_platform_js__["g" /* isWindows */] && !__WEBPACK_IMPORTED_MODULE_10__browser_js__["i" /* isFirefox */] && __WEBPACK_IMPORTED_MODULE_10__browser_js__["c" /* getZoomLevel */]() === 0; if (canUseTranslate3d) { var transform = "translate3d(-" + renderLeft + "px, -" + renderTop + "px, 0px)"; this.rowsContainer.style.transform = transform; this.rowsContainer.style.webkitTransform = transform; if (canUseTranslate3d !== this.canUseTranslate3d) { this.rowsContainer.style.left = '0'; this.rowsContainer.style.top = '0'; } } else { this.rowsContainer.style.left = "-" + renderLeft + "px"; this.rowsContainer.style.top = "-" + renderTop + "px"; if (canUseTranslate3d !== this.canUseTranslate3d) { this.rowsContainer.style.transform = ''; this.rowsContainer.style.webkitTransform = ''; } } if (this.horizontalScrolling) { this.rowsContainer.style.width = Math.max(scrollWidth, this.renderWidth) + "px"; } this.canUseTranslate3d = canUseTranslate3d; this.lastRenderTop = renderTop; this.lastRenderHeight = renderHeight; }; // DOM operations ListView.prototype.insertItemInDOM = function (index, beforeElement) { var _this = this; var item = this.items[index]; if (!item.row) { item.row = this.cache.alloc(item.templateId); item.row.domNode.setAttribute('role', 'treeitem'); } if (!item.row.domNode.parentElement) { if (beforeElement) { this.rowsContainer.insertBefore(item.row.domNode, beforeElement); } else { this.rowsContainer.appendChild(item.row.domNode); } } this.updateItemInDOM(item, index); var renderer = this.renderers.get(item.templateId); if (!renderer) { throw new Error("No renderer found for template id " + item.templateId); } if (renderer) { renderer.renderElement(item.element, index, item.row.templateData); } var uri = this.dnd.getDragURI(item.element); item.dragStartDisposable.dispose(); item.row.domNode.draggable = !!uri; if (uri) { var onDragStart = Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(item.row.domNode, 'dragstart'); item.dragStartDisposable = onDragStart(function (event) { return _this.onDragStart(item.element, uri, event); }); } if (this.horizontalScrolling) { this.measureItemWidth(item); this.eventuallyUpdateScrollWidth(); } }; ListView.prototype.measureItemWidth = function (item) { if (!item.row || !item.row.domNode) { return; } item.row.domNode.style.width = 'fit-content'; item.width = __WEBPACK_IMPORTED_MODULE_3__dom_js__["r" /* getContentWidth */](item.row.domNode); var style = window.getComputedStyle(item.row.domNode); if (style.paddingLeft) { item.width += parseFloat(style.paddingLeft); } if (style.paddingRight) { item.width += parseFloat(style.paddingRight); } item.row.domNode.style.width = ''; }; ListView.prototype.updateItemInDOM = function (item, index) { item.row.domNode.style.top = this.elementTop(index) + "px"; item.row.domNode.style.height = item.size + "px"; if (this.setRowLineHeight) { item.row.domNode.style.lineHeight = item.size + "px"; } item.row.domNode.setAttribute('data-index', "" + index); item.row.domNode.setAttribute('data-last-element', index === this.length - 1 ? 'true' : 'false'); item.row.domNode.setAttribute('aria-setsize', String(this.ariaSetProvider.getSetSize(item.element, index, this.length))); item.row.domNode.setAttribute('aria-posinset', String(this.ariaSetProvider.getPosInSet(item.element, index))); item.row.domNode.setAttribute('id', this.getElementDomId(index)); __WEBPACK_IMPORTED_MODULE_3__dom_js__["M" /* toggleClass */](item.row.domNode, 'drop-target', item.dropTarget); }; ListView.prototype.removeItemFromDOM = function (index) { var item = this.items[index]; item.dragStartDisposable.dispose(); var renderer = this.renderers.get(item.templateId); if (renderer && renderer.disposeElement) { renderer.disposeElement(item.element, index, item.row.templateData); } this.cache.release(item.row); item.row = null; if (this.horizontalScrolling) { this.eventuallyUpdateScrollWidth(); } }; ListView.prototype.getScrollTop = function () { var scrollPosition = this.scrollableElement.getScrollPosition(); return scrollPosition.scrollTop; }; ListView.prototype.setScrollTop = function (scrollTop) { if (this.scrollableElementUpdateDisposable) { this.scrollableElementUpdateDisposable.dispose(); this.scrollableElementUpdateDisposable = null; this.scrollableElement.setScrollDimensions({ scrollHeight: this.scrollHeight }); } this.scrollableElement.setScrollPosition({ scrollTop: scrollTop }); }; Object.defineProperty(ListView.prototype, "scrollTop", { get: function () { return this.getScrollTop(); }, set: function (scrollTop) { this.setScrollTop(scrollTop); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "scrollHeight", { get: function () { return this._scrollHeight + (this.horizontalScrolling ? 10 : 0); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onMouseClick", { // Events get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'click'), function (e) { return _this.toMouseEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onMouseDblClick", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'dblclick'), function (e) { return _this.toMouseEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onMouseMiddleClick", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].filter(__WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'auxclick'), function (e) { return _this.toMouseEvent(e); }), function (e) { return e.browserEvent.button === 1; }); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onMouseDown", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'mousedown'), function (e) { return _this.toMouseEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onContextMenu", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'contextmenu'), function (e) { return _this.toMouseEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onTouchStart", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.domNode, 'touchstart'), function (e) { return _this.toTouchEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(ListView.prototype, "onTap", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_5__event_js__["a" /* domEvent */])(this.rowsContainer, __WEBPACK_IMPORTED_MODULE_2__touch_js__["a" /* EventType */].Tap), function (e) { return _this.toGestureEvent(e); }); }, enumerable: true, configurable: true }); ListView.prototype.toMouseEvent = function (browserEvent) { var index = this.getItemIndexFromEventTarget(browserEvent.target || null); var item = typeof index === 'undefined' ? undefined : this.items[index]; var element = item && item.element; return { browserEvent: browserEvent, index: index, element: element }; }; ListView.prototype.toTouchEvent = function (browserEvent) { var index = this.getItemIndexFromEventTarget(browserEvent.target || null); var item = typeof index === 'undefined' ? undefined : this.items[index]; var element = item && item.element; return { browserEvent: browserEvent, index: index, element: element }; }; ListView.prototype.toGestureEvent = function (browserEvent) { var index = this.getItemIndexFromEventTarget(browserEvent.initialTarget || null); var item = typeof index === 'undefined' ? undefined : this.items[index]; var element = item && item.element; return { browserEvent: browserEvent, index: index, element: element }; }; ListView.prototype.toDragEvent = function (browserEvent) { var index = this.getItemIndexFromEventTarget(browserEvent.target || null); var item = typeof index === 'undefined' ? undefined : this.items[index]; var element = item && item.element; return { browserEvent: browserEvent, index: index, element: element }; }; ListView.prototype.onScroll = function (e) { try { this.render(e.scrollTop, e.height, e.scrollLeft, e.scrollWidth); if (this.supportDynamicHeights) { this._rerender(e.scrollTop, e.height); } } catch (err) { console.error('Got bad scroll event:', e); throw err; } }; ListView.prototype.onTouchChange = function (event) { event.preventDefault(); event.stopPropagation(); this.scrollTop -= event.translationY; }; // DND ListView.prototype.onDragStart = function (element, uri, event) { if (!event.dataTransfer) { return; } var elements = this.dnd.getDragElements(element); event.dataTransfer.effectAllowed = 'copyMove'; event.dataTransfer.setData(__WEBPACK_IMPORTED_MODULE_14__dnd_js__["a" /* DataTransfers */].RESOURCES, JSON.stringify([uri])); if (event.dataTransfer.setDragImage) { var label = void 0; if (this.dnd.getDragLabel) { label = this.dnd.getDragLabel(elements); } if (typeof label === 'undefined') { label = String(elements.length); } var dragImage_1 = __WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */]('.monaco-drag-image'); dragImage_1.textContent = label; document.body.appendChild(dragImage_1); event.dataTransfer.setDragImage(dragImage_1, -10, -10); setTimeout(function () { return document.body.removeChild(dragImage_1); }, 0); } this.currentDragData = new ElementsDragAndDropData(elements); __WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData = new ExternalElementsDragAndDropData(elements); if (this.dnd.onDragStart) { this.dnd.onDragStart(this.currentDragData, event); } }; ListView.prototype.onDragOver = function (event) { var _this = this; this.onDragLeaveTimeout.dispose(); if (__WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData && __WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData.getData() === 'vscode-ui') { return false; } this.setupDragAndDropScrollTopAnimation(event.browserEvent); if (!event.browserEvent.dataTransfer) { return false; } // Drag over from outside if (!this.currentDragData) { if (__WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData) { // Drag over from another list this.currentDragData = __WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData; } else { // Drag over from the desktop if (!event.browserEvent.dataTransfer.types) { return false; } this.currentDragData = new DesktopDragAndDropData(); } } var result = this.dnd.onDragOver(this.currentDragData, event.element, event.index, event.browserEvent); this.canDrop = typeof result === 'boolean' ? result : result.accept; if (!this.canDrop) { this.currentDragFeedback = undefined; this.currentDragFeedbackDisposable.dispose(); return false; } event.browserEvent.dataTransfer.dropEffect = (typeof result !== 'boolean' && result.effect === 0 /* Copy */) ? 'copy' : 'move'; var feedback; if (typeof result !== 'boolean' && result.feedback) { feedback = result.feedback; } else { if (typeof event.index === 'undefined') { feedback = [-1]; } else { feedback = [event.index]; } } // sanitize feedback list feedback = Object(__WEBPACK_IMPORTED_MODULE_13__common_arrays_js__["c" /* distinct */])(feedback).filter(function (i) { return i >= -1 && i < _this.length; }).sort(); feedback = feedback[0] === -1 ? [-1] : feedback; if (feedback.length === 0) { throw new Error('Invalid empty feedback list'); } if (equalsDragFeedback(this.currentDragFeedback, feedback)) { return true; } this.currentDragFeedback = feedback; this.currentDragFeedbackDisposable.dispose(); if (feedback[0] === -1) { // entire list feedback __WEBPACK_IMPORTED_MODULE_3__dom_js__["e" /* addClass */](this.domNode, 'drop-target'); this.currentDragFeedbackDisposable = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["e" /* toDisposable */])(function () { return __WEBPACK_IMPORTED_MODULE_3__dom_js__["D" /* removeClass */](_this.domNode, 'drop-target'); }); } else { for (var _i = 0, feedback_1 = feedback; _i < feedback_1.length; _i++) { var index = feedback_1[_i]; var item = this.items[index]; item.dropTarget = true; if (item.row && item.row.domNode) { __WEBPACK_IMPORTED_MODULE_3__dom_js__["e" /* addClass */](item.row.domNode, 'drop-target'); } } this.currentDragFeedbackDisposable = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["e" /* toDisposable */])(function () { for (var _i = 0, feedback_2 = feedback; _i < feedback_2.length; _i++) { var index = feedback_2[_i]; var item = _this.items[index]; item.dropTarget = false; if (item.row && item.row.domNode) { __WEBPACK_IMPORTED_MODULE_3__dom_js__["D" /* removeClass */](item.row.domNode, 'drop-target'); } } }); } return true; }; ListView.prototype.onDragLeave = function () { var _this = this; this.onDragLeaveTimeout.dispose(); this.onDragLeaveTimeout = Object(__WEBPACK_IMPORTED_MODULE_15__common_async_js__["f" /* disposableTimeout */])(function () { return _this.clearDragOverFeedback(); }, 100); }; ListView.prototype.onDrop = function (event) { if (!this.canDrop) { return; } var dragData = this.currentDragData; this.teardownDragAndDropScrollTopAnimation(); this.clearDragOverFeedback(); this.currentDragData = undefined; __WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData = undefined; if (!dragData || !event.browserEvent.dataTransfer) { return; } event.browserEvent.preventDefault(); dragData.update(event.browserEvent.dataTransfer); this.dnd.drop(dragData, event.element, event.index, event.browserEvent); }; ListView.prototype.onDragEnd = function () { this.canDrop = false; this.teardownDragAndDropScrollTopAnimation(); this.clearDragOverFeedback(); this.currentDragData = undefined; __WEBPACK_IMPORTED_MODULE_14__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData = undefined; }; ListView.prototype.clearDragOverFeedback = function () { this.currentDragFeedback = undefined; this.currentDragFeedbackDisposable.dispose(); this.currentDragFeedbackDisposable = __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */].None; }; // DND scroll top animation ListView.prototype.setupDragAndDropScrollTopAnimation = function (event) { var _this = this; if (!this.dragOverAnimationDisposable) { var viewTop = __WEBPACK_IMPORTED_MODULE_3__dom_js__["u" /* getTopLeftOffset */](this.domNode).top; this.dragOverAnimationDisposable = __WEBPACK_IMPORTED_MODULE_3__dom_js__["k" /* animate */](this.animateDragAndDropScrollTop.bind(this, viewTop)); } this.dragOverAnimationStopDisposable.dispose(); this.dragOverAnimationStopDisposable = Object(__WEBPACK_IMPORTED_MODULE_15__common_async_js__["f" /* disposableTimeout */])(function () { if (_this.dragOverAnimationDisposable) { _this.dragOverAnimationDisposable.dispose(); _this.dragOverAnimationDisposable = undefined; } }, 1000); this.dragOverMouseY = event.pageY; }; ListView.prototype.animateDragAndDropScrollTop = function (viewTop) { if (this.dragOverMouseY === undefined) { return; } var diff = this.dragOverMouseY - viewTop; var upperLimit = this.renderHeight - 35; if (diff < 35) { this.scrollTop += Math.max(-14, Math.floor(0.3 * (diff - 35))); } else if (diff > upperLimit) { this.scrollTop += Math.min(14, Math.floor(0.3 * (diff - upperLimit))); } }; ListView.prototype.teardownDragAndDropScrollTopAnimation = function () { this.dragOverAnimationStopDisposable.dispose(); if (this.dragOverAnimationDisposable) { this.dragOverAnimationDisposable.dispose(); this.dragOverAnimationDisposable = undefined; } }; // Util ListView.prototype.getItemIndexFromEventTarget = function (target) { var element = target; while (element instanceof HTMLElement && element !== this.rowsContainer) { var rawIndex = element.getAttribute('data-index'); if (rawIndex) { var index = Number(rawIndex); if (!isNaN(index)) { return index; } } element = element.parentElement; } return undefined; }; ListView.prototype.getRenderRange = function (renderTop, renderHeight) { return { start: this.rangeMap.indexAt(renderTop), end: this.rangeMap.indexAfter(renderTop + renderHeight - 1) }; }; /** * Given a stable rendered state, checks every rendered element whether it needs * to be probed for dynamic height. Adjusts scroll height and top if necessary. */ ListView.prototype._rerender = function (renderTop, renderHeight) { var previousRenderRange = this.getRenderRange(renderTop, renderHeight); // Let's remember the second element's position, this helps in scrolling up // and preserving a linear upwards scroll movement var anchorElementIndex; var anchorElementTopDelta; if (renderTop === this.elementTop(previousRenderRange.start)) { anchorElementIndex = previousRenderRange.start; anchorElementTopDelta = 0; } else if (previousRenderRange.end - previousRenderRange.start > 1) { anchorElementIndex = previousRenderRange.start + 1; anchorElementTopDelta = this.elementTop(anchorElementIndex) - renderTop; } var heightDiff = 0; while (true) { var renderRange = this.getRenderRange(renderTop, renderHeight); var didChange = false; for (var i = renderRange.start; i < renderRange.end; i++) { var diff = this.probeDynamicHeight(i); if (diff !== 0) { this.rangeMap.splice(i, 1, [this.items[i]]); } heightDiff += diff; didChange = didChange || diff !== 0; } if (!didChange) { if (heightDiff !== 0) { this.eventuallyUpdateScrollDimensions(); } var unrenderRanges = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].relativeComplement(previousRenderRange, renderRange); for (var _i = 0, unrenderRanges_1 = unrenderRanges; _i < unrenderRanges_1.length; _i++) { var range = unrenderRanges_1[_i]; for (var i = range.start; i < range.end; i++) { if (this.items[i].row) { this.removeItemFromDOM(i); } } } var renderRanges = __WEBPACK_IMPORTED_MODULE_12__common_range_js__["a" /* Range */].relativeComplement(renderRange, previousRenderRange); for (var _a = 0, renderRanges_1 = renderRanges; _a < renderRanges_1.length; _a++) { var range = renderRanges_1[_a]; for (var i = range.start; i < range.end; i++) { var afterIndex = i + 1; var beforeRow = afterIndex < this.items.length ? this.items[afterIndex].row : null; var beforeElement = beforeRow ? beforeRow.domNode : null; this.insertItemInDOM(i, beforeElement); } } for (var i = renderRange.start; i < renderRange.end; i++) { if (this.items[i].row) { this.updateItemInDOM(this.items[i], i); } } if (typeof anchorElementIndex === 'number') { this.scrollTop = this.elementTop(anchorElementIndex) - anchorElementTopDelta; } this._onDidChangeContentHeight.fire(this.contentHeight); return; } } }; ListView.prototype.probeDynamicHeight = function (index) { var item = this.items[index]; if (!item.hasDynamicHeight || item.lastDynamicHeightWidth === this.renderWidth) { return 0; } var size = item.size; var row = this.cache.alloc(item.templateId); row.domNode.style.height = ''; this.rowsContainer.appendChild(row.domNode); var renderer = this.renderers.get(item.templateId); if (renderer) { renderer.renderElement(item.element, index, row.templateData, true); if (renderer.disposeElement) { renderer.disposeElement(item.element, index, row.templateData, true); } } item.size = row.domNode.offsetHeight; item.lastDynamicHeightWidth = this.renderWidth; this.rowsContainer.removeChild(row.domNode); this.cache.release(row); return item.size - size; }; ListView.prototype.getNextToLastElement = function (ranges) { var lastRange = ranges[ranges.length - 1]; if (!lastRange) { return null; } var nextToLastItem = this.items[lastRange.end]; if (!nextToLastItem) { return null; } if (!nextToLastItem.row) { return null; } return nextToLastItem.row.domNode; }; ListView.prototype.getElementDomId = function (index) { return this.domId + "_" + index; }; // Dispose ListView.prototype.dispose = function () { if (this.items) { for (var _i = 0, _a = this.items; _i < _a.length; _i++) { var item = _a[_i]; if (item.row) { var renderer = this.renderers.get(item.row.templateId); if (renderer) { renderer.disposeTemplate(item.row.templateData); } } } this.items = []; } if (this.domNode && this.domNode.parentNode) { this.domNode.parentNode.removeChild(this.domNode); } this.disposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; ListView.InstanceCount = 0; __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onMouseClick", null); __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onMouseDblClick", null); __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onMouseMiddleClick", null); __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onMouseDown", null); __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onContextMenu", null); __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onTouchStart", null); __decorate([ __WEBPACK_IMPORTED_MODULE_11__common_decorators_js__["a" /* memoize */] ], ListView.prototype, "onTap", null); return ListView; }()); /***/ }), /***/ 1585: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return MarkerSeverity; }); /* unused harmony export IMarkerData */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IMarkerService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_severity_js__ = __webpack_require__(1572); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var MarkerSeverity; (function (MarkerSeverity) { MarkerSeverity[MarkerSeverity["Hint"] = 1] = "Hint"; MarkerSeverity[MarkerSeverity["Info"] = 2] = "Info"; MarkerSeverity[MarkerSeverity["Warning"] = 4] = "Warning"; MarkerSeverity[MarkerSeverity["Error"] = 8] = "Error"; })(MarkerSeverity || (MarkerSeverity = {})); (function (MarkerSeverity) { function compare(a, b) { return b - a; } MarkerSeverity.compare = compare; var _displayStrings = Object.create(null); _displayStrings[MarkerSeverity.Error] = Object(__WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */])('sev.error', "Error"); _displayStrings[MarkerSeverity.Warning] = Object(__WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */])('sev.warning', "Warning"); _displayStrings[MarkerSeverity.Info] = Object(__WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */])('sev.info', "Info"); function toString(a) { return _displayStrings[a] || ''; } MarkerSeverity.toString = toString; function fromSeverity(severity) { switch (severity) { case __WEBPACK_IMPORTED_MODULE_2__base_common_severity_js__["a" /* default */].Error: return MarkerSeverity.Error; case __WEBPACK_IMPORTED_MODULE_2__base_common_severity_js__["a" /* default */].Warning: return MarkerSeverity.Warning; case __WEBPACK_IMPORTED_MODULE_2__base_common_severity_js__["a" /* default */].Info: return MarkerSeverity.Info; case __WEBPACK_IMPORTED_MODULE_2__base_common_severity_js__["a" /* default */].Ignore: return MarkerSeverity.Hint; } } MarkerSeverity.fromSeverity = fromSeverity; })(MarkerSeverity || (MarkerSeverity = {})); var IMarkerData; (function (IMarkerData) { var emptyString = ''; function makeKey(markerData) { var result = [emptyString]; if (markerData.source) { result.push(markerData.source.replace('¦', '\¦')); } else { result.push(emptyString); } if (markerData.code) { result.push(markerData.code.replace('¦', '\¦')); } else { result.push(emptyString); } if (markerData.severity !== undefined && markerData.severity !== null) { result.push(MarkerSeverity.toString(markerData.severity)); } else { result.push(emptyString); } if (markerData.message) { result.push(markerData.message.replace('¦', '\¦')); } else { result.push(emptyString); } if (markerData.startLineNumber !== undefined && markerData.startLineNumber !== null) { result.push(markerData.startLineNumber.toString()); } else { result.push(emptyString); } if (markerData.startColumn !== undefined && markerData.startColumn !== null) { result.push(markerData.startColumn.toString()); } else { result.push(emptyString); } if (markerData.endLineNumber !== undefined && markerData.endLineNumber !== null) { result.push(markerData.endLineNumber.toString()); } else { result.push(emptyString); } if (markerData.endColumn !== undefined && markerData.endColumn !== null) { result.push(markerData.endColumn.toString()); } else { result.push(emptyString); } result.push(emptyString); return result.join('¦'); } IMarkerData.makeKey = makeKey; })(IMarkerData || (IMarkerData = {})); var IMarkerService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('markerService'); /***/ }), /***/ 1609: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".ant-checkbox-group>div .boardsList{padding:10px 0 20px!important}.ant-checkbox-group>div:first-child .boardsList{border-top:none}.boardsList .contentSection{-ms-flex:1 1;flex:1 1;margin-left:15px}.ant-select-selection--single,.ant-select-selection__rendered{height:40px;line-height:40px}.ant-input:focus+.ant-input-group-addon{background-color:#fff!important}.ant-input-group-addon{color:#666!important;font-size:12px;border:1px solid #d9d9d9!important;border-left:none!important}.courseForm .ant-form-item-label{margin-left:unset}.TopicDetailTable .topHead{background-color:#f5f5f5;height:56px;color:#666;padding:0 30px}.TopicDetailTable .bottomBody li span,.TopicDetailTable .topHead span{display:block;float:left;-ms-flex-pack:center;justify-content:center;-ms-flex-align:center;align-items:center;display:-webkit-flex;height:56px}.TopicDetailTable .bottomBody{padding:0 30px}.TopicDetailTable .bottomBody li{border-bottom:1px solid #eee;clear:both}.TopicDetailTable .bottomBody li:last-child{border-bottom:none}.maxnamewidth100,.maxnamewidth110{max-width:100px}.maxnamewidth100,.maxnamewidth110,.maxnamewidth200{overflow:hidden;-o-text-overflow:ellipsis;text-overflow:ellipsis;white-space:nowrap;cursor:default}.maxnamewidth200{max-width:200px}.maxnamewidth120{max-width:120px}.maxnamewidth120,.maxnamewidth145{overflow:hidden;-o-text-overflow:ellipsis;text-overflow:ellipsis;white-space:nowrap;cursor:default}.maxnamewidth145{max-width:145px}.ysyslxh{background:#fafafa}.z666{color:#666;font-size:14px}.z000{color:#000;font-size:16px}.pd30bt{padding:10px 30px 0}.bor-reds,.bor-reds input{border:1px solid red!important;border-radius:1px!important;border-top-left-radius:1px!important;border-top-right-radius:1px!important;border-bottom-right-radius:1px!important;border-bottom-left-radius:1px!important}.myslHeight{height:20px;min-height:20px}.maxnamewidth340{overflow:hidden;-o-text-overflow:ellipsis;text-overflow:ellipsis;white-space:nowrap;cursor:default;width:340px;max-width:340px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/src/modules/courses/shixunHomework/style.css"],"names":[],"mappings":"AAAA,oCAEE,6BAAgC,CACjC,AACD,gDACE,eAAiB,CAClB,AACD,4BACE,aAAc,AACV,SAAU,AACd,gBAAkB,CACnB,AAGD,8DACE,YAAa,AACb,gBAAkB,CACnB,AAED,wCACE,+BAAiC,CAClC,AACD,uBACE,qBAAsB,AACtB,eAAgB,AAChB,mCAAoC,AACpC,0BAA4B,CAC7B,AAED,iCACE,iBAAmB,CACpB,AAGD,2BAA2B,yBAA0B,YAAa,WAAe,cAAgB,CAAC,AAClG,sEAAsE,cAAe,WAAY,qBAAsB,uBAAwB,sBAAuB,mBAAoB,qBAAsB,WAAa,CAAC,AAC9N,8BAA8B,cAAgB,CAAC,AAC/C,iCAAiC,6BAA8B,UAAY,CAAC,AAC5E,4CAA4C,kBAAoB,CAAC,AAUjE,kCACE,eAAiB,CAMlB,AAUD,mDAfE,gBAAgB,AAChB,0BAA0B,AACvB,uBAAuB,AAC1B,mBAAmB,AACnB,cAAgB,CAkBjB,AAPD,iBACE,eAAiB,CAMlB,AAUD,iBACI,eAAiB,CAMpB,AACD,kCANI,gBAAgB,AAChB,0BAA0B,AACvB,uBAAuB,AAC1B,mBAAmB,AACnB,cAAgB,CASnB,AAPD,iBACE,eAAiB,CAMlB,AACD,SACE,kBAAoB,CACrB,AAED,MACI,WAAY,AACZ,cAAe,CAClB,AACD,MACI,WAAY,AACZ,cAAe,CAClB,AAED,QACI,mBAA4B,CAC/B,AASD,0BACE,+BAAmC,AACnC,4BAA6B,AAC7B,qCAAsC,AACtC,sCAAuC,AACvC,yCAA0C,AAC1C,uCAAyC,CAC1C,AAED,YACE,YAAa,AACb,eAAiB,CAClB,AAED,iBAEE,gBAAiB,AACjB,0BAA2B,AACxB,uBAAwB,AAC3B,mBAAoB,AACpB,eAAgB,AAChB,YAAa,AACb,eAAiB,CAClB","file":"style.css","sourcesContent":[".ant-checkbox-group > div .boardsList{\n /* border-top: 1px solid #ebebeb; */\n padding:10px 0px 20px!important;\n}\n.ant-checkbox-group > div:first-child .boardsList{\n border-top: none;\n}\n.boardsList .contentSection {\n -ms-flex: 1 1;\n flex: 1 1;\n margin-left: 15px;\n}\n\n\n.ant-select-selection--single,.ant-select-selection__rendered{\n height: 40px;\n line-height: 40px;\n}\n\n.ant-input:focus + .ant-input-group-addon{\n background-color: #fff!important;\n}\n.ant-input-group-addon{\n color: #666!important;\n font-size: 12px;\n border: 1px solid #d9d9d9!important;\n border-left: none!important;\n}\n\n.courseForm .ant-form-item-label{\n margin-left: unset;\n}\n\n/* 毕设选题列表 */\n.TopicDetailTable .topHead{background-color: #F5F5F5;height: 56px;color: #666666;padding:0px 30px}\n.TopicDetailTable .topHead span,.TopicDetailTable .bottomBody li span{display: block;float: left;-ms-flex-pack: center;justify-content: center;-ms-flex-align: center;align-items: center;display: -webkit-flex;height: 56px;}\n.TopicDetailTable .bottomBody{padding:0px 30px}\n.TopicDetailTable .bottomBody li{border-bottom: 1px solid #eee;clear: both;}\n.TopicDetailTable .bottomBody li:last-child{border-bottom: none;}\n\n.maxnamewidth100{\n max-width: 100px;\n overflow:hidden;\n -o-text-overflow:ellipsis;\n text-overflow:ellipsis;\n white-space:nowrap;\n cursor: default;\n}\n.maxnamewidth110{\n max-width: 100px;\n overflow:hidden;\n -o-text-overflow:ellipsis;\n text-overflow:ellipsis;\n white-space:nowrap;\n cursor: default;\n}\n\n.maxnamewidth120 {\n max-width: 120px;\n overflow: hidden;\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n white-space: nowrap;\n cursor: default;\n}\n.maxnamewidth200{\n max-width: 200px;\n overflow:hidden;\n -o-text-overflow:ellipsis;\n text-overflow:ellipsis;\n white-space:nowrap;\n cursor: default;\n}\n.maxnamewidth145{\n max-width: 145px;\n overflow:hidden;\n -o-text-overflow:ellipsis;\n text-overflow:ellipsis;\n white-space:nowrap;\n cursor: default;\n}\n\n.maxnamewidth120{\n max-width: 120px;\n overflow:hidden;\n -o-text-overflow:ellipsis;\n text-overflow:ellipsis;\n white-space:nowrap;\n cursor: default;\n}\n.maxnamewidth145{\n max-width: 145px;\n overflow:hidden;\n -o-text-overflow:ellipsis;\n text-overflow:ellipsis;\n white-space:nowrap;\n cursor: default;\n}\n.ysyslxh{\n background: #fafafa;\n}\n\n.z666{\n color: #666;\n font-size:14px;\n}\n.z000{\n color: #000;\n font-size:16px;\n}\n\n.pd30bt{\n padding: 10px 30px 0px 30px;\n}\n.bor-reds{\n border:1px solid #FF0000!important;\n border-radius: 1px!important;\n border-top-left-radius: 1px!important;\n border-top-right-radius: 1px!important;\n border-bottom-right-radius: 1px!important;\n border-bottom-left-radius: 1px!important;\n}\n.bor-reds input {\n border:1px solid #FF0000!important;\n border-radius: 1px!important;\n border-top-left-radius: 1px!important;\n border-top-right-radius: 1px!important;\n border-bottom-right-radius: 1px!important;\n border-bottom-left-radius: 1px!important;\n}\n\n.myslHeight{\n height: 20px;\n min-height: 20px;\n}\n\n.maxnamewidth340 {\n max-width: 340px;\n overflow: hidden;\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n white-space: nowrap;\n cursor: default;\n width: 340px;\n max-width: 340px;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1676: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "CancellationTokenSource", function() { return CancellationTokenSource; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Emitter", function() { return Emitter; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "KeyCode", function() { return KeyCode; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "KeyMod", function() { return KeyMod; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Position", function() { return Position; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Range", function() { return Range; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Selection", function() { return Selection; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SelectionDirection", function() { return SelectionDirection; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "MarkerSeverity", function() { return MarkerSeverity; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "MarkerTag", function() { return MarkerTag; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Uri", function() { return Uri; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Token", function() { return Token; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "editor", function() { return editor; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "languages", function() { return languages; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_standalone_standaloneBase_js__ = __webpack_require__(1677); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__standalone_browser_standaloneEditor_js__ = __webpack_require__(1889); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__standalone_browser_standaloneLanguages_js__ = __webpack_require__(2086); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var global = self; // Set defaults for standalone editor __WEBPACK_IMPORTED_MODULE_0__common_config_editorOptions_js__["a" /* EDITOR_DEFAULTS */].wrappingIndent = 0 /* None */; __WEBPACK_IMPORTED_MODULE_0__common_config_editorOptions_js__["a" /* EDITOR_DEFAULTS */].viewInfo.glyphMargin = false; __WEBPACK_IMPORTED_MODULE_0__common_config_editorOptions_js__["a" /* EDITOR_DEFAULTS */].autoIndent = false; var api = Object(__WEBPACK_IMPORTED_MODULE_1__common_standalone_standaloneBase_js__["a" /* createMonacoBaseAPI */])(); api.editor = Object(__WEBPACK_IMPORTED_MODULE_2__standalone_browser_standaloneEditor_js__["a" /* createMonacoEditorAPI */])(); api.languages = Object(__WEBPACK_IMPORTED_MODULE_3__standalone_browser_standaloneLanguages_js__["a" /* createMonacoLanguagesAPI */])(); var CancellationTokenSource = api.CancellationTokenSource; var Emitter = api.Emitter; var KeyCode = api.KeyCode; var KeyMod = api.KeyMod; var Position = api.Position; var Range = api.Range; var Selection = api.Selection; var SelectionDirection = api.SelectionDirection; var MarkerSeverity = api.MarkerSeverity; var MarkerTag = api.MarkerTag; var Uri = api.Uri; var Token = api.Token; var editor = api.editor; var languages = api.languages; global.monaco = api; if (typeof global.require !== 'undefined' && typeof global.require.config === 'function') { global.require.config({ ignoreDuplicateModules: [ 'vscode-languageserver-types', 'vscode-languageserver-types/main', 'vscode-nls', 'vscode-nls/vscode-nls', 'jsonc-parser', 'jsonc-parser/main', 'vscode-uri', 'vscode-uri/index', 'vs/basic-languages/typescript/typescript' ] }); } /***/ }), /***/ 1677: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export KeyMod */ /* harmony export (immutable) */ __webpack_exports__["a"] = createMonacoBaseAPI; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__promise_polyfill_polyfill_js__ = __webpack_require__(1887); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__promise_polyfill_polyfill_js___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__promise_polyfill_polyfill_js__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_cancellation_js__ = __webpack_require__(1678); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_keyCodes_js__ = __webpack_require__(1356); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__core_token_js__ = __webpack_require__(1441); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__standaloneEnums_js__ = __webpack_require__(1561); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var KeyMod = /** @class */ (function () { function KeyMod() { } KeyMod.chord = function (firstPart, secondPart) { return Object(__WEBPACK_IMPORTED_MODULE_3__base_common_keyCodes_js__["a" /* KeyChord */])(firstPart, secondPart); }; KeyMod.CtrlCmd = 2048 /* CtrlCmd */; KeyMod.Shift = 1024 /* Shift */; KeyMod.Alt = 512 /* Alt */; KeyMod.WinCtrl = 256 /* WinCtrl */; return KeyMod; }()); function createMonacoBaseAPI() { return { editor: undefined, languages: undefined, CancellationTokenSource: __WEBPACK_IMPORTED_MODULE_1__base_common_cancellation_js__["a" /* CancellationTokenSource */], Emitter: __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */], KeyCode: __WEBPACK_IMPORTED_MODULE_9__standaloneEnums_js__["k" /* KeyCode */], KeyMod: KeyMod, Position: __WEBPACK_IMPORTED_MODULE_5__core_position_js__["a" /* Position */], Range: __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */], Selection: __WEBPACK_IMPORTED_MODULE_7__core_selection_js__["a" /* Selection */], SelectionDirection: __WEBPACK_IMPORTED_MODULE_9__standaloneEnums_js__["u" /* SelectionDirection */], MarkerSeverity: __WEBPACK_IMPORTED_MODULE_9__standaloneEnums_js__["l" /* MarkerSeverity */], MarkerTag: __WEBPACK_IMPORTED_MODULE_9__standaloneEnums_js__["m" /* MarkerTag */], Uri: __WEBPACK_IMPORTED_MODULE_4__base_common_uri_js__["a" /* URI */], Token: __WEBPACK_IMPORTED_MODULE_8__core_token_js__["a" /* Token */] }; } /***/ }), /***/ 1678: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export CancellationToken */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CancellationTokenSource; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var shortcutEvent = Object.freeze(function (callback, context) { var handle = setTimeout(callback.bind(context), 0); return { dispose: function () { clearTimeout(handle); } }; }); var CancellationToken; (function (CancellationToken) { function isCancellationToken(thing) { if (thing === CancellationToken.None || thing === CancellationToken.Cancelled) { return true; } if (thing instanceof MutableToken) { return true; } if (!thing || typeof thing !== 'object') { return false; } return typeof thing.isCancellationRequested === 'boolean' && typeof thing.onCancellationRequested === 'function'; } CancellationToken.isCancellationToken = isCancellationToken; CancellationToken.None = Object.freeze({ isCancellationRequested: false, onCancellationRequested: __WEBPACK_IMPORTED_MODULE_0__event_js__["b" /* Event */].None }); CancellationToken.Cancelled = Object.freeze({ isCancellationRequested: true, onCancellationRequested: shortcutEvent }); })(CancellationToken || (CancellationToken = {})); var MutableToken = /** @class */ (function () { function MutableToken() { this._isCancelled = false; this._emitter = null; } MutableToken.prototype.cancel = function () { if (!this._isCancelled) { this._isCancelled = true; if (this._emitter) { this._emitter.fire(undefined); this.dispose(); } } }; Object.defineProperty(MutableToken.prototype, "isCancellationRequested", { get: function () { return this._isCancelled; }, enumerable: true, configurable: true }); Object.defineProperty(MutableToken.prototype, "onCancellationRequested", { get: function () { if (this._isCancelled) { return shortcutEvent; } if (!this._emitter) { this._emitter = new __WEBPACK_IMPORTED_MODULE_0__event_js__["a" /* Emitter */](); } return this._emitter.event; }, enumerable: true, configurable: true }); MutableToken.prototype.dispose = function () { if (this._emitter) { this._emitter.dispose(); this._emitter = null; } }; return MutableToken; }()); var CancellationTokenSource = /** @class */ (function () { function CancellationTokenSource() { } Object.defineProperty(CancellationTokenSource.prototype, "token", { get: function () { if (!this._token) { // be lazy and create the token only when // actually needed this._token = new MutableToken(); } return this._token; }, enumerable: true, configurable: true }); CancellationTokenSource.prototype.cancel = function () { if (!this._token) { // save an object by returning the default // cancelled token when cancellation happens // before someone asks for the token this._token = CancellationToken.Cancelled; } else if (this._token instanceof MutableToken) { // actually cancel this._token.cancel(); } }; CancellationTokenSource.prototype.dispose = function () { if (!this._token) { // ensure to initialize with an empty token if we had none this._token = CancellationToken.None; } else if (this._token instanceof MutableToken) { // actually dispose this._token.dispose(); } }; return CancellationTokenSource; }()); /***/ }), /***/ 1679: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LinkedList; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__iterator_js__ = __webpack_require__(1392); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Node = /** @class */ (function () { function Node(element) { this.element = element; } return Node; }()); var LinkedList = /** @class */ (function () { function LinkedList() { this._size = 0; } Object.defineProperty(LinkedList.prototype, "size", { get: function () { return this._size; }, enumerable: true, configurable: true }); LinkedList.prototype.isEmpty = function () { return !this._first; }; LinkedList.prototype.unshift = function (element) { return this._insert(element, false); }; LinkedList.prototype.push = function (element) { return this._insert(element, true); }; LinkedList.prototype._insert = function (element, atTheEnd) { var newNode = new Node(element); if (!this._first) { this._first = newNode; this._last = newNode; } else if (atTheEnd) { // push var oldLast = this._last; this._last = newNode; newNode.prev = oldLast; oldLast.next = newNode; } else { // unshift var oldFirst = this._first; this._first = newNode; newNode.next = oldFirst; oldFirst.prev = newNode; } this._size += 1; return this._remove.bind(this, newNode); }; LinkedList.prototype.shift = function () { if (!this._first) { return undefined; } else { var res = this._first.element; this._remove(this._first); return res; } }; LinkedList.prototype._remove = function (node) { var candidate = this._first; while (candidate instanceof Node) { if (candidate !== node) { candidate = candidate.next; continue; } if (candidate.prev && candidate.next) { // middle var anchor = candidate.prev; anchor.next = candidate.next; candidate.next.prev = anchor; } else if (!candidate.prev && !candidate.next) { // only node this._first = undefined; this._last = undefined; } else if (!candidate.next) { // last this._last = this._last.prev; this._last.next = undefined; } else if (!candidate.prev) { // first this._first = this._first.next; this._first.prev = undefined; } // done this._size -= 1; break; } }; LinkedList.prototype.iterator = function () { var element; var node = this._first; return { next: function () { if (!node) { return __WEBPACK_IMPORTED_MODULE_0__iterator_js__["a" /* FIN */]; } if (!element) { element = { done: false, value: node.element }; } else { element.value = node.element; } node = node.next; return element; } }; }; return LinkedList; }()); /***/ }), /***/ 1680: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IframeUtils; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var hasDifferentOriginAncestorFlag = false; var sameOriginWindowChainCache = null; function getParentWindowIfSameOrigin(w) { if (!w.parent || w.parent === w) { return null; } // Cannot really tell if we have access to the parent window unless we try to access something in it try { var location_1 = w.location; var parentLocation = w.parent.location; if (location_1.protocol !== parentLocation.protocol || location_1.hostname !== parentLocation.hostname || location_1.port !== parentLocation.port) { hasDifferentOriginAncestorFlag = true; return null; } } catch (e) { hasDifferentOriginAncestorFlag = true; return null; } return w.parent; } function findIframeElementInParentWindow(parentWindow, childWindow) { var parentWindowIframes = parentWindow.document.getElementsByTagName('iframe'); var iframe; for (var i = 0, len = parentWindowIframes.length; i < len; i++) { iframe = parentWindowIframes[i]; if (iframe.contentWindow === childWindow) { return iframe; } } return null; } var IframeUtils = /** @class */ (function () { function IframeUtils() { } /** * Returns a chain of embedded windows with the same origin (which can be accessed programmatically). * Having a chain of length 1 might mean that the current execution environment is running outside of an iframe or inside an iframe embedded in a window with a different origin. * To distinguish if at one point the current execution environment is running inside a window with a different origin, see hasDifferentOriginAncestor() */ IframeUtils.getSameOriginWindowChain = function () { if (!sameOriginWindowChainCache) { sameOriginWindowChainCache = []; var w = window; var parent_1; do { parent_1 = getParentWindowIfSameOrigin(w); if (parent_1) { sameOriginWindowChainCache.push({ window: w, iframeElement: findIframeElementInParentWindow(parent_1, w) }); } else { sameOriginWindowChainCache.push({ window: w, iframeElement: null }); } w = parent_1; } while (w); } return sameOriginWindowChainCache.slice(0); }; /** * Returns true if the current execution environment is chained in a list of iframes which at one point ends in a window with a different origin. * Returns false if the current execution environment is not running inside an iframe or if the entire chain of iframes have the same origin. */ IframeUtils.hasDifferentOriginAncestor = function () { if (!sameOriginWindowChainCache) { this.getSameOriginWindowChain(); } return hasDifferentOriginAncestorFlag; }; /** * Returns the position of `childWindow` relative to `ancestorWindow` */ IframeUtils.getPositionOfChildWindowRelativeToAncestorWindow = function (childWindow, ancestorWindow) { if (!ancestorWindow || childWindow === ancestorWindow) { return { top: 0, left: 0 }; } var top = 0, left = 0; var windowChain = this.getSameOriginWindowChain(); for (var _i = 0, windowChain_1 = windowChain; _i < windowChain_1.length; _i++) { var windowChainEl = windowChain_1[_i]; if (windowChainEl.window === ancestorWindow) { break; } if (!windowChainEl.iframeElement) { break; } var boundingRect = windowChainEl.iframeElement.getBoundingClientRect(); top += boundingRect.top; left += boundingRect.left; } return { top: top, left: left }; }; return IframeUtils; }()); /***/ }), /***/ 1681: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export hasToIgnoreCase */ /* unused harmony export basenameOrAuthority */ /* unused harmony export isEqualAuthority */ /* unused harmony export isEqual */ /* unused harmony export basename */ /* unused harmony export dirname */ /* harmony export (immutable) */ __webpack_exports__["a"] = joinPath; /* harmony export (immutable) */ __webpack_exports__["b"] = normalizePath; /* unused harmony export originalFSPath */ /* unused harmony export DataUri */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__extpath_js__ = __webpack_require__(1682); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__path_js__ = __webpack_require__(1442); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__network_js__ = __webpack_require__(1358); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function hasToIgnoreCase(resource) { // A file scheme resource is in the same platform as code, so ignore case for non linux platforms // Resource can be from another platform. Lowering the case as an hack. Should come from File system provider return resource && resource.scheme === __WEBPACK_IMPORTED_MODULE_4__network_js__["a" /* Schemas */].file ? !__WEBPACK_IMPORTED_MODULE_5__platform_js__["c" /* isLinux */] : true; } function basenameOrAuthority(resource) { return basename(resource) || resource.authority; } /** * Tests wheter the two authorities are the same */ function isEqualAuthority(a1, a2) { return a1 === a2 || Object(__WEBPACK_IMPORTED_MODULE_3__strings_js__["k" /* equalsIgnoreCase */])(a1, a2); } function isEqual(first, second, ignoreCase) { if (ignoreCase === void 0) { ignoreCase = hasToIgnoreCase(first); } if (first === second) { return true; } if (!first || !second) { return false; } if (first.scheme !== second.scheme || !isEqualAuthority(first.authority, second.authority)) { return false; } var p1 = first.path || '/', p2 = second.path || '/'; return p1 === p2 || ignoreCase && Object(__WEBPACK_IMPORTED_MODULE_3__strings_js__["k" /* equalsIgnoreCase */])(p1 || '/', p2 || '/'); } function basename(resource) { return __WEBPACK_IMPORTED_MODULE_1__path_js__["posix"].basename(resource.path); } /** * Return a URI representing the directory of a URI path. * * @param resource The input URI. * @returns The URI representing the directory of the input URI. */ function dirname(resource) { if (resource.path.length === 0) { return resource; } if (resource.scheme === __WEBPACK_IMPORTED_MODULE_4__network_js__["a" /* Schemas */].file) { return __WEBPACK_IMPORTED_MODULE_2__uri_js__["a" /* URI */].file(__WEBPACK_IMPORTED_MODULE_1__path_js__["dirname"](originalFSPath(resource))); } var dirname = __WEBPACK_IMPORTED_MODULE_1__path_js__["posix"].dirname(resource.path); if (resource.authority && dirname.length && dirname.charCodeAt(0) !== 47 /* Slash */) { console.error("dirname(\"" + resource.toString + ")) resulted in a relative path"); dirname = '/'; // If a URI contains an authority component, then the path component must either be empty or begin with a CharCode.Slash ("/") character } return resource.with({ path: dirname }); } /** * Join a URI path with path fragments and normalizes the resulting path. * * @param resource The input URI. * @param pathFragment The path fragment to add to the URI path. * @returns The resulting URI. */ function joinPath(resource) { var pathFragment = []; for (var _i = 1; _i < arguments.length; _i++) { pathFragment[_i - 1] = arguments[_i]; } var _a; var joinedPath; if (resource.scheme === __WEBPACK_IMPORTED_MODULE_4__network_js__["a" /* Schemas */].file) { joinedPath = __WEBPACK_IMPORTED_MODULE_2__uri_js__["a" /* URI */].file(__WEBPACK_IMPORTED_MODULE_1__path_js__["join"].apply(__WEBPACK_IMPORTED_MODULE_1__path_js__, [originalFSPath(resource)].concat(pathFragment))).path; } else { joinedPath = (_a = __WEBPACK_IMPORTED_MODULE_1__path_js__["posix"]).join.apply(_a, [resource.path || '/'].concat(pathFragment)); } return resource.with({ path: joinedPath }); } /** * Normalizes the path part of a URI: Resolves `.` and `..` elements with directory names. * * @param resource The URI to normalize the path. * @returns The URI with the normalized path. */ function normalizePath(resource) { if (!resource.path.length) { return resource; } var normalizedPath; if (resource.scheme === __WEBPACK_IMPORTED_MODULE_4__network_js__["a" /* Schemas */].file) { normalizedPath = __WEBPACK_IMPORTED_MODULE_2__uri_js__["a" /* URI */].file(__WEBPACK_IMPORTED_MODULE_1__path_js__["normalize"](originalFSPath(resource))).path; } else { normalizedPath = __WEBPACK_IMPORTED_MODULE_1__path_js__["posix"].normalize(resource.path); } return resource.with({ path: normalizedPath }); } /** * Returns the fsPath of an URI where the drive letter is not normalized. * See #56403. */ function originalFSPath(uri) { var value; var uriPath = uri.path; if (uri.authority && uriPath.length > 1 && uri.scheme === 'file') { // unc path: file://shares/c$/far/boo value = "//" + uri.authority + uriPath; } else if (__WEBPACK_IMPORTED_MODULE_5__platform_js__["g" /* isWindows */] && uriPath.charCodeAt(0) === 47 /* Slash */ && __WEBPACK_IMPORTED_MODULE_0__extpath_js__["b" /* isWindowsDriveLetter */](uriPath.charCodeAt(1)) && uriPath.charCodeAt(2) === 58 /* Colon */) { value = uriPath.substr(1); } else { // other path value = uriPath; } if (__WEBPACK_IMPORTED_MODULE_5__platform_js__["g" /* isWindows */]) { value = value.replace(/\//g, '\\'); } return value; } /** * Data URI related helpers. */ var DataUri; (function (DataUri) { DataUri.META_DATA_LABEL = 'label'; DataUri.META_DATA_DESCRIPTION = 'description'; DataUri.META_DATA_SIZE = 'size'; DataUri.META_DATA_MIME = 'mime'; function parseMetaData(dataUri) { var metadata = new Map(); // Given a URI of: data:image/png;size:2313;label:SomeLabel;description:SomeDescription;base64,77+9UE5... // the metadata is: size:2313;label:SomeLabel;description:SomeDescription var meta = dataUri.path.substring(dataUri.path.indexOf(';') + 1, dataUri.path.lastIndexOf(';')); meta.split(';').forEach(function (property) { var _a = property.split(':'), key = _a[0], value = _a[1]; if (key && value) { metadata.set(key, value); } }); // Given a URI of: data:image/png;size:2313;label:SomeLabel;description:SomeDescription;base64,77+9UE5... // the mime is: image/png var mime = dataUri.path.substring(0, dataUri.path.indexOf(';')); if (mime) { metadata.set(DataUri.META_DATA_MIME, mime); } return metadata; } DataUri.parseMetaData = parseMetaData; })(DataUri || (DataUri = {})); /***/ }), /***/ 1682: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = isEqualOrParent; /* harmony export (immutable) */ __webpack_exports__["b"] = isWindowsDriveLetter; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__path_js__ = __webpack_require__(1442); function isEqualOrParent(path, candidate, ignoreCase, separator) { if (separator === void 0) { separator = __WEBPACK_IMPORTED_MODULE_1__path_js__["sep"]; } if (path === candidate) { return true; } if (!path || !candidate) { return false; } if (candidate.length > path.length) { return false; } if (ignoreCase) { var beginsWith = Object(__WEBPACK_IMPORTED_MODULE_0__strings_js__["C" /* startsWithIgnoreCase */])(path, candidate); if (!beginsWith) { return false; } if (candidate.length === path.length) { return true; // same path, different casing } var sepOffset = candidate.length; if (candidate.charAt(candidate.length - 1) === separator) { sepOffset--; // adjust the expected sep offset in case our candidate already ends in separator character } return path.charAt(sepOffset) === separator; } if (candidate.charAt(candidate.length - 1) !== separator) { candidate += separator; } return path.indexOf(candidate) === 0; } function isWindowsDriveLetter(char0) { return char0 >= 65 /* A */ && char0 <= 90 /* Z */ || char0 >= 97 /* a */ && char0 <= 122 /* z */; } /***/ }), /***/ 1683: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = ok; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Throws an error with the provided message if the provided value does not evaluate to a true Javascript value. */ function ok(value, message) { if (!value) { throw new Error(message ? 'Assertion failed (' + message + ')' : 'Assertion Failed'); } } /***/ }), /***/ 1684: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export splitGlobAware */ /* harmony export (immutable) */ __webpack_exports__["a"] = match; /* unused harmony export parse */ /* unused harmony export isRelativePattern */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__extpath_js__ = __webpack_require__(1682); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__path_js__ = __webpack_require__(1442); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__async_js__ = __webpack_require__(1021); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var GLOBSTAR = '**'; var GLOB_SPLIT = '/'; var PATH_REGEX = '[/\\\\]'; // any slash or backslash var NO_PATH_REGEX = '[^/\\\\]'; // any non-slash and non-backslash var ALL_FORWARD_SLASHES = /\//g; function starsToRegExp(starCount) { switch (starCount) { case 0: return ''; case 1: return NO_PATH_REGEX + "*?"; // 1 star matches any number of characters except path separator (/ and \) - non greedy (?) default: // Matches: (Path Sep OR Path Val followed by Path Sep OR Path Sep followed by Path Val) 0-many times // Group is non capturing because we don't need to capture at all (?:...) // Overall we use non-greedy matching because it could be that we match too much return "(?:" + PATH_REGEX + "|" + NO_PATH_REGEX + "+" + PATH_REGEX + "|" + PATH_REGEX + NO_PATH_REGEX + "+)*?"; } } function splitGlobAware(pattern, splitChar) { if (!pattern) { return []; } var segments = []; var inBraces = false; var inBrackets = false; var curVal = ''; for (var _i = 0, pattern_1 = pattern; _i < pattern_1.length; _i++) { var char = pattern_1[_i]; switch (char) { case splitChar: if (!inBraces && !inBrackets) { segments.push(curVal); curVal = ''; continue; } break; case '{': inBraces = true; break; case '}': inBraces = false; break; case '[': inBrackets = true; break; case ']': inBrackets = false; break; } curVal += char; } // Tail if (curVal) { segments.push(curVal); } return segments; } function parseRegExp(pattern) { if (!pattern) { return ''; } var regEx = ''; // Split up into segments for each slash found var segments = splitGlobAware(pattern, GLOB_SPLIT); // Special case where we only have globstars if (segments.every(function (s) { return s === GLOBSTAR; })) { regEx = '.*'; } // Build regex over segments else { var previousSegmentWasGlobStar_1 = false; segments.forEach(function (segment, index) { // Globstar is special if (segment === GLOBSTAR) { // if we have more than one globstar after another, just ignore it if (!previousSegmentWasGlobStar_1) { regEx += starsToRegExp(2); previousSegmentWasGlobStar_1 = true; } return; } // States var inBraces = false; var braceVal = ''; var inBrackets = false; var bracketVal = ''; for (var _i = 0, segment_1 = segment; _i < segment_1.length; _i++) { var char = segment_1[_i]; // Support brace expansion if (char !== '}' && inBraces) { braceVal += char; continue; } // Support brackets if (inBrackets && (char !== ']' || !bracketVal) /* ] is literally only allowed as first character in brackets to match it */) { var res = void 0; // range operator if (char === '-') { res = char; } // negation operator (only valid on first index in bracket) else if ((char === '^' || char === '!') && !bracketVal) { res = '^'; } // glob split matching is not allowed within character ranges // see http://man7.org/linux/man-pages/man7/glob.7.html else if (char === GLOB_SPLIT) { res = ''; } // anything else gets escaped else { res = __WEBPACK_IMPORTED_MODULE_1__strings_js__["m" /* escapeRegExpCharacters */](char); } bracketVal += res; continue; } switch (char) { case '{': inBraces = true; continue; case '[': inBrackets = true; continue; case '}': var choices = splitGlobAware(braceVal, ','); // Converts {foo,bar} => [foo|bar] var braceRegExp = "(?:" + choices.map(function (c) { return parseRegExp(c); }).join('|') + ")"; regEx += braceRegExp; inBraces = false; braceVal = ''; break; case ']': regEx += ('[' + bracketVal + ']'); inBrackets = false; bracketVal = ''; break; case '?': regEx += NO_PATH_REGEX; // 1 ? matches any single character except path separator (/ and \) continue; case '*': regEx += starsToRegExp(1); continue; default: regEx += __WEBPACK_IMPORTED_MODULE_1__strings_js__["m" /* escapeRegExpCharacters */](char); } } // Tail: Add the slash we had split on if there is more to come and the remaining pattern is not a globstar // For example if pattern: some/**/*.js we want the "/" after some to be included in the RegEx to prevent // a folder called "something" to match as well. // However, if pattern: some/**, we tolerate that we also match on "something" because our globstar behaviour // is to match 0-N segments. if (index < segments.length - 1 && (segments[index + 1] !== GLOBSTAR || index + 2 < segments.length)) { regEx += PATH_REGEX; } // reset state previousSegmentWasGlobStar_1 = false; }); } return regEx; } // regexes to check for trival glob patterns that just check for String#endsWith var T1 = /^\*\*\/\*\.[\w\.-]+$/; // **/*.something var T2 = /^\*\*\/([\w\.-]+)\/?$/; // **/something var T3 = /^{\*\*\/[\*\.]?[\w\.-]+\/?(,\*\*\/[\*\.]?[\w\.-]+\/?)*}$/; // {**/*.something,**/*.else} or {**/package.json,**/project.json} var T3_2 = /^{\*\*\/[\*\.]?[\w\.-]+(\/(\*\*)?)?(,\*\*\/[\*\.]?[\w\.-]+(\/(\*\*)?)?)*}$/; // Like T3, with optional trailing /** var T4 = /^\*\*((\/[\w\.-]+)+)\/?$/; // **/something/else var T5 = /^([\w\.-]+(\/[\w\.-]+)*)\/?$/; // something/else var CACHE = new __WEBPACK_IMPORTED_MODULE_4__map_js__["a" /* LRUCache */](10000); // bounded to 10000 elements var FALSE = function () { return false; }; var NULL = function () { return null; }; function parsePattern(arg1, options) { if (!arg1) { return NULL; } // Handle IRelativePattern var pattern; if (typeof arg1 !== 'string') { pattern = arg1.pattern; } else { pattern = arg1; } // Whitespace trimming pattern = pattern.trim(); // Check cache var patternKey = pattern + "_" + !!options.trimForExclusions; var parsedPattern = CACHE.get(patternKey); if (parsedPattern) { return wrapRelativePattern(parsedPattern, arg1); } // Check for Trivias var match; if (T1.test(pattern)) { // common pattern: **/*.txt just need endsWith check var base_1 = pattern.substr(4); // '**/*'.length === 4 parsedPattern = function (path, basename) { return typeof path === 'string' && __WEBPACK_IMPORTED_MODULE_1__strings_js__["j" /* endsWith */](path, base_1) ? pattern : null; }; } else if (match = T2.exec(trimForExclusions(pattern, options))) { // common pattern: **/some.txt just need basename check parsedPattern = trivia2(match[1], pattern); } else if ((options.trimForExclusions ? T3_2 : T3).test(pattern)) { // repetition of common patterns (see above) {**/*.txt,**/*.png} parsedPattern = trivia3(pattern, options); } else if (match = T4.exec(trimForExclusions(pattern, options))) { // common pattern: **/something/else just need endsWith check parsedPattern = trivia4and5(match[1].substr(1), pattern, true); } else if (match = T5.exec(trimForExclusions(pattern, options))) { // common pattern: something/else just need equals check parsedPattern = trivia4and5(match[1], pattern, false); } // Otherwise convert to pattern else { parsedPattern = toRegExp(pattern); } // Cache CACHE.set(patternKey, parsedPattern); return wrapRelativePattern(parsedPattern, arg1); } function wrapRelativePattern(parsedPattern, arg2) { if (typeof arg2 === 'string') { return parsedPattern; } return function (path, basename) { if (!__WEBPACK_IMPORTED_MODULE_2__extpath_js__["a" /* isEqualOrParent */](path, arg2.base)) { return null; } return parsedPattern(__WEBPACK_IMPORTED_MODULE_3__path_js__["relative"](arg2.base, path), basename); }; } function trimForExclusions(pattern, options) { return options.trimForExclusions && __WEBPACK_IMPORTED_MODULE_1__strings_js__["j" /* endsWith */](pattern, '/**') ? pattern.substr(0, pattern.length - 2) : pattern; // dropping **, tailing / is dropped later } // common pattern: **/some.txt just need basename check function trivia2(base, originalPattern) { var slashBase = "/" + base; var backslashBase = "\\" + base; var parsedPattern = function (path, basename) { if (typeof path !== 'string') { return null; } if (basename) { return basename === base ? originalPattern : null; } return path === base || __WEBPACK_IMPORTED_MODULE_1__strings_js__["j" /* endsWith */](path, slashBase) || __WEBPACK_IMPORTED_MODULE_1__strings_js__["j" /* endsWith */](path, backslashBase) ? originalPattern : null; }; var basenames = [base]; parsedPattern.basenames = basenames; parsedPattern.patterns = [originalPattern]; parsedPattern.allBasenames = basenames; return parsedPattern; } // repetition of common patterns (see above) {**/*.txt,**/*.png} function trivia3(pattern, options) { var parsedPatterns = aggregateBasenameMatches(pattern.slice(1, -1).split(',') .map(function (pattern) { return parsePattern(pattern, options); }) .filter(function (pattern) { return pattern !== NULL; }), pattern); var n = parsedPatterns.length; if (!n) { return NULL; } if (n === 1) { return parsedPatterns[0]; } var parsedPattern = function (path, basename) { for (var i = 0, n_1 = parsedPatterns.length; i < n_1; i++) { if (parsedPatterns[i](path, basename)) { return pattern; } } return null; }; var withBasenames = __WEBPACK_IMPORTED_MODULE_0__arrays_js__["e" /* first */](parsedPatterns, function (pattern) { return !!pattern.allBasenames; }); if (withBasenames) { parsedPattern.allBasenames = withBasenames.allBasenames; } var allPaths = parsedPatterns.reduce(function (all, current) { return current.allPaths ? all.concat(current.allPaths) : all; }, []); if (allPaths.length) { parsedPattern.allPaths = allPaths; } return parsedPattern; } // common patterns: **/something/else just need endsWith check, something/else just needs and equals check function trivia4and5(path, pattern, matchPathEnds) { var nativePath = __WEBPACK_IMPORTED_MODULE_3__path_js__["sep"] !== __WEBPACK_IMPORTED_MODULE_3__path_js__["posix"].sep ? path.replace(ALL_FORWARD_SLASHES, __WEBPACK_IMPORTED_MODULE_3__path_js__["sep"]) : path; var nativePathEnd = __WEBPACK_IMPORTED_MODULE_3__path_js__["sep"] + nativePath; var parsedPattern = matchPathEnds ? function (path, basename) { return typeof path === 'string' && (path === nativePath || __WEBPACK_IMPORTED_MODULE_1__strings_js__["j" /* endsWith */](path, nativePathEnd)) ? pattern : null; } : function (path, basename) { return typeof path === 'string' && path === nativePath ? pattern : null; }; parsedPattern.allPaths = [(matchPathEnds ? '*/' : './') + path]; return parsedPattern; } function toRegExp(pattern) { try { var regExp_1 = new RegExp("^" + parseRegExp(pattern) + "$"); return function (path, basename) { regExp_1.lastIndex = 0; // reset RegExp to its initial state to reuse it! return typeof path === 'string' && regExp_1.test(path) ? pattern : null; }; } catch (error) { return NULL; } } function match(arg1, path, hasSibling) { if (!arg1 || typeof path !== 'string') { return false; } return parse(arg1)(path, undefined, hasSibling); } function parse(arg1, options) { if (options === void 0) { options = {}; } if (!arg1) { return FALSE; } // Glob with String if (typeof arg1 === 'string' || isRelativePattern(arg1)) { var parsedPattern_1 = parsePattern(arg1, options); if (parsedPattern_1 === NULL) { return FALSE; } var resultPattern = function (path, basename) { return !!parsedPattern_1(path, basename); }; if (parsedPattern_1.allBasenames) { resultPattern.allBasenames = parsedPattern_1.allBasenames; } if (parsedPattern_1.allPaths) { resultPattern.allPaths = parsedPattern_1.allPaths; } return resultPattern; } // Glob with Expression return parsedExpression(arg1, options); } function isRelativePattern(obj) { var rp = obj; return rp && typeof rp.base === 'string' && typeof rp.pattern === 'string'; } function parsedExpression(expression, options) { var parsedPatterns = aggregateBasenameMatches(Object.getOwnPropertyNames(expression) .map(function (pattern) { return parseExpressionPattern(pattern, expression[pattern], options); }) .filter(function (pattern) { return pattern !== NULL; })); var n = parsedPatterns.length; if (!n) { return NULL; } if (!parsedPatterns.some(function (parsedPattern) { return !!parsedPattern.requiresSiblings; })) { if (n === 1) { return parsedPatterns[0]; } var resultExpression_1 = function (path, basename) { for (var i = 0, n_2 = parsedPatterns.length; i < n_2; i++) { // Pattern matches path var result = parsedPatterns[i](path, basename); if (result) { return result; } } return null; }; var withBasenames_1 = __WEBPACK_IMPORTED_MODULE_0__arrays_js__["e" /* first */](parsedPatterns, function (pattern) { return !!pattern.allBasenames; }); if (withBasenames_1) { resultExpression_1.allBasenames = withBasenames_1.allBasenames; } var allPaths_1 = parsedPatterns.reduce(function (all, current) { return current.allPaths ? all.concat(current.allPaths) : all; }, []); if (allPaths_1.length) { resultExpression_1.allPaths = allPaths_1; } return resultExpression_1; } var resultExpression = function (path, basename, hasSibling) { var name = undefined; for (var i = 0, n_3 = parsedPatterns.length; i < n_3; i++) { // Pattern matches path var parsedPattern = parsedPatterns[i]; if (parsedPattern.requiresSiblings && hasSibling) { if (!basename) { basename = __WEBPACK_IMPORTED_MODULE_3__path_js__["basename"](path); } if (!name) { name = basename.substr(0, basename.length - __WEBPACK_IMPORTED_MODULE_3__path_js__["extname"](path).length); } } var result = parsedPattern(path, basename, name, hasSibling); if (result) { return result; } } return null; }; var withBasenames = __WEBPACK_IMPORTED_MODULE_0__arrays_js__["e" /* first */](parsedPatterns, function (pattern) { return !!pattern.allBasenames; }); if (withBasenames) { resultExpression.allBasenames = withBasenames.allBasenames; } var allPaths = parsedPatterns.reduce(function (all, current) { return current.allPaths ? all.concat(current.allPaths) : all; }, []); if (allPaths.length) { resultExpression.allPaths = allPaths; } return resultExpression; } function parseExpressionPattern(pattern, value, options) { if (value === false) { return NULL; // pattern is disabled } var parsedPattern = parsePattern(pattern, options); if (parsedPattern === NULL) { return NULL; } // Expression Pattern is <boolean> if (typeof value === 'boolean') { return parsedPattern; } // Expression Pattern is <SiblingClause> if (value) { var when_1 = value.when; if (typeof when_1 === 'string') { var result = function (path, basename, name, hasSibling) { if (!hasSibling || !parsedPattern(path, basename)) { return null; } var clausePattern = when_1.replace('$(basename)', name); var matched = hasSibling(clausePattern); return Object(__WEBPACK_IMPORTED_MODULE_5__async_js__["g" /* isThenable */])(matched) ? matched.then(function (m) { return m ? pattern : null; }) : matched ? pattern : null; }; result.requiresSiblings = true; return result; } } // Expression is Anything return parsedPattern; } function aggregateBasenameMatches(parsedPatterns, result) { var basenamePatterns = parsedPatterns.filter(function (parsedPattern) { return !!parsedPattern.basenames; }); if (basenamePatterns.length < 2) { return parsedPatterns; } var basenames = basenamePatterns.reduce(function (all, current) { var basenames = current.basenames; return basenames ? all.concat(basenames) : all; }, []); var patterns; if (result) { patterns = []; for (var i = 0, n = basenames.length; i < n; i++) { patterns.push(result); } } else { patterns = basenamePatterns.reduce(function (all, current) { var patterns = current.patterns; return patterns ? all.concat(patterns) : all; }, []); } var aggregate = function (path, basename) { if (typeof path !== 'string') { return null; } if (!basename) { var i = void 0; for (i = path.length; i > 0; i--) { var ch = path.charCodeAt(i - 1); if (ch === 47 /* Slash */ || ch === 92 /* Backslash */) { break; } } basename = path.substr(i); } var index = basenames.indexOf(basename); return index !== -1 ? patterns[index] : null; }; aggregate.basenames = basenames; aggregate.patterns = patterns; aggregate.allBasenames = basenames; var aggregatedPatterns = parsedPatterns.filter(function (parsedPattern) { return !parsedPattern.basenames; }); aggregatedPatterns.push(aggregate); return aggregatedPatterns; } /***/ }), /***/ 1685: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ITextModelService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ITextModelService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('textModelService'); /***/ }), /***/ 1686: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return EditorWorkerServiceImpl; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditorWorkerClient; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_worker_simpleWorker_js__ = __webpack_require__(1687); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_worker_defaultWorkerFactory_js__ = __webpack_require__(1899); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__modes_languageConfigurationRegistry_js__ = __webpack_require__(1327); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__editorSimpleWorker_js__ = __webpack_require__(1904); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__modelService_js__ = __webpack_require__(1393); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__resourceConfiguration_js__ = __webpack_require__(1568); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__base_common_strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; /** * Stop syncing a model to the worker if it was not needed for 1 min. */ var STOP_SYNC_MODEL_DELTA_TIME_MS = 60 * 1000; /** * Stop the worker if it was not needed for 5 min. */ var STOP_WORKER_DELTA_TIME_MS = 5 * 60 * 1000; function canSyncModel(modelService, resource) { var model = modelService.getModel(resource); if (!model) { return false; } if (model.isTooLargeForSyncing()) { return false; } return true; } var EditorWorkerServiceImpl = /** @class */ (function (_super) { __extends(EditorWorkerServiceImpl, _super); function EditorWorkerServiceImpl(modelService, configurationService) { var _this = _super.call(this) || this; _this._modelService = modelService; _this._workerManager = _this._register(new WorkerManager(_this._modelService)); // todo@joh make sure this happens only once _this._register(__WEBPACK_IMPORTED_MODULE_4__modes_js__["p" /* LinkProviderRegistry */].register('*', { provideLinks: function (model, token) { if (!canSyncModel(_this._modelService, model.uri)) { return Promise.resolve([]); // File too large } return _this._workerManager.withWorker().then(function (client) { return client.computeLinks(model.uri); }); } })); _this._register(__WEBPACK_IMPORTED_MODULE_4__modes_js__["d" /* CompletionProviderRegistry */].register('*', new WordBasedCompletionItemProvider(_this._workerManager, configurationService, _this._modelService))); return _this; } EditorWorkerServiceImpl.prototype.dispose = function () { _super.prototype.dispose.call(this); }; EditorWorkerServiceImpl.prototype.canComputeDiff = function (original, modified) { return (canSyncModel(this._modelService, original) && canSyncModel(this._modelService, modified)); }; EditorWorkerServiceImpl.prototype.computeDiff = function (original, modified, ignoreTrimWhitespace) { return this._workerManager.withWorker().then(function (client) { return client.computeDiff(original, modified, ignoreTrimWhitespace); }); }; EditorWorkerServiceImpl.prototype.computeMoreMinimalEdits = function (resource, edits) { if (!Array.isArray(edits) || edits.length === 0) { return Promise.resolve(edits); } else { if (!canSyncModel(this._modelService, resource)) { return Promise.resolve(edits); // File too large } return this._workerManager.withWorker().then(function (client) { return client.computeMoreMinimalEdits(resource, edits); }); } }; EditorWorkerServiceImpl.prototype.canNavigateValueSet = function (resource) { return (canSyncModel(this._modelService, resource)); }; EditorWorkerServiceImpl.prototype.navigateValueSet = function (resource, range, up) { return this._workerManager.withWorker().then(function (client) { return client.navigateValueSet(resource, range, up); }); }; EditorWorkerServiceImpl.prototype.canComputeWordRanges = function (resource) { return canSyncModel(this._modelService, resource); }; EditorWorkerServiceImpl.prototype.computeWordRanges = function (resource, range) { return this._workerManager.withWorker().then(function (client) { return client.computeWordRanges(resource, range); }); }; EditorWorkerServiceImpl = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_7__modelService_js__["a" /* IModelService */]), __param(1, __WEBPACK_IMPORTED_MODULE_8__resourceConfiguration_js__["a" /* ITextResourceConfigurationService */]) ], EditorWorkerServiceImpl); return EditorWorkerServiceImpl; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); var WordBasedCompletionItemProvider = /** @class */ (function () { function WordBasedCompletionItemProvider(workerManager, configurationService, modelService) { this._workerManager = workerManager; this._configurationService = configurationService; this._modelService = modelService; } WordBasedCompletionItemProvider.prototype.provideCompletionItems = function (model, position) { var wordBasedSuggestions = this._configurationService.getValue(model.uri, position, 'editor').wordBasedSuggestions; if (!wordBasedSuggestions) { return undefined; } if (!canSyncModel(this._modelService, model.uri)) { return undefined; // File too large } return this._workerManager.withWorker().then(function (client) { return client.textualSuggest(model.uri, position); }); }; return WordBasedCompletionItemProvider; }()); var WorkerManager = /** @class */ (function (_super) { __extends(WorkerManager, _super); function WorkerManager(modelService) { var _this = _super.call(this) || this; _this._modelService = modelService; _this._editorWorkerClient = null; var stopWorkerInterval = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_async_js__["b" /* IntervalTimer */]()); stopWorkerInterval.cancelAndSet(function () { return _this._checkStopIdleWorker(); }, Math.round(STOP_WORKER_DELTA_TIME_MS / 2)); _this._register(_this._modelService.onModelRemoved(function (_) { return _this._checkStopEmptyWorker(); })); return _this; } WorkerManager.prototype.dispose = function () { if (this._editorWorkerClient) { this._editorWorkerClient.dispose(); this._editorWorkerClient = null; } _super.prototype.dispose.call(this); }; /** * Check if the model service has no more models and stop the worker if that is the case. */ WorkerManager.prototype._checkStopEmptyWorker = function () { if (!this._editorWorkerClient) { return; } var models = this._modelService.getModels(); if (models.length === 0) { // There are no more models => nothing possible for me to do this._editorWorkerClient.dispose(); this._editorWorkerClient = null; } }; /** * Check if the worker has been idle for a while and then stop it. */ WorkerManager.prototype._checkStopIdleWorker = function () { if (!this._editorWorkerClient) { return; } var timeSinceLastWorkerUsedTime = (new Date()).getTime() - this._lastWorkerUsedTime; if (timeSinceLastWorkerUsedTime > STOP_WORKER_DELTA_TIME_MS) { this._editorWorkerClient.dispose(); this._editorWorkerClient = null; } }; WorkerManager.prototype.withWorker = function () { this._lastWorkerUsedTime = (new Date()).getTime(); if (!this._editorWorkerClient) { this._editorWorkerClient = new EditorWorkerClient(this._modelService, 'editorWorkerService'); } return Promise.resolve(this._editorWorkerClient); }; return WorkerManager; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); var EditorModelManager = /** @class */ (function (_super) { __extends(EditorModelManager, _super); function EditorModelManager(proxy, modelService, keepIdleModels) { var _this = _super.call(this) || this; _this._syncedModels = Object.create(null); _this._syncedModelsLastUsedTime = Object.create(null); _this._proxy = proxy; _this._modelService = modelService; if (!keepIdleModels) { var timer = new __WEBPACK_IMPORTED_MODULE_0__base_common_async_js__["b" /* IntervalTimer */](); timer.cancelAndSet(function () { return _this._checkStopModelSync(); }, Math.round(STOP_SYNC_MODEL_DELTA_TIME_MS / 2)); _this._register(timer); } return _this; } EditorModelManager.prototype.dispose = function () { for (var modelUrl in this._syncedModels) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(this._syncedModels[modelUrl]); } this._syncedModels = Object.create(null); this._syncedModelsLastUsedTime = Object.create(null); _super.prototype.dispose.call(this); }; EditorModelManager.prototype.esureSyncedResources = function (resources) { for (var _i = 0, resources_1 = resources; _i < resources_1.length; _i++) { var resource = resources_1[_i]; var resourceStr = resource.toString(); if (!this._syncedModels[resourceStr]) { this._beginModelSync(resource); } if (this._syncedModels[resourceStr]) { this._syncedModelsLastUsedTime[resourceStr] = (new Date()).getTime(); } } }; EditorModelManager.prototype._checkStopModelSync = function () { var currentTime = (new Date()).getTime(); var toRemove = []; for (var modelUrl in this._syncedModelsLastUsedTime) { var elapsedTime = currentTime - this._syncedModelsLastUsedTime[modelUrl]; if (elapsedTime > STOP_SYNC_MODEL_DELTA_TIME_MS) { toRemove.push(modelUrl); } } for (var _i = 0, toRemove_1 = toRemove; _i < toRemove_1.length; _i++) { var e = toRemove_1[_i]; this._stopModelSync(e); } }; EditorModelManager.prototype._beginModelSync = function (resource) { var _this = this; var model = this._modelService.getModel(resource); if (!model) { return; } if (model.isTooLargeForSyncing()) { return; } var modelUrl = resource.toString(); this._proxy.acceptNewModel({ url: model.uri.toString(), lines: model.getLinesContent(), EOL: model.getEOL(), versionId: model.getVersionId() }); var toDispose = []; toDispose.push(model.onDidChangeContent(function (e) { _this._proxy.acceptModelChanged(modelUrl.toString(), e); })); toDispose.push(model.onWillDispose(function () { _this._stopModelSync(modelUrl); })); toDispose.push(Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { _this._proxy.acceptRemovedModel(modelUrl); })); this._syncedModels[modelUrl] = toDispose; }; EditorModelManager.prototype._stopModelSync = function (modelUrl) { var toDispose = this._syncedModels[modelUrl]; delete this._syncedModels[modelUrl]; delete this._syncedModelsLastUsedTime[modelUrl]; Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(toDispose); }; return EditorModelManager; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); var SynchronousWorkerClient = /** @class */ (function () { function SynchronousWorkerClient(instance) { this._instance = instance; this._proxyObj = Promise.resolve(this._instance); } SynchronousWorkerClient.prototype.dispose = function () { this._instance.dispose(); }; SynchronousWorkerClient.prototype.getProxyObject = function () { return this._proxyObj; }; return SynchronousWorkerClient; }()); var EditorWorkerClient = /** @class */ (function (_super) { __extends(EditorWorkerClient, _super); function EditorWorkerClient(modelService, label) { var _this = _super.call(this) || this; _this._modelService = modelService; _this._workerFactory = new __WEBPACK_IMPORTED_MODULE_3__base_worker_defaultWorkerFactory_js__["a" /* DefaultWorkerFactory */](label); _this._worker = null; _this._modelManager = null; return _this; } EditorWorkerClient.prototype._getOrCreateWorker = function () { if (!this._worker) { try { this._worker = this._register(new __WEBPACK_IMPORTED_MODULE_2__base_common_worker_simpleWorker_js__["a" /* SimpleWorkerClient */](this._workerFactory, 'vs/editor/common/services/editorSimpleWorker')); } catch (err) { Object(__WEBPACK_IMPORTED_MODULE_2__base_common_worker_simpleWorker_js__["b" /* logOnceWebWorkerWarning */])(err); this._worker = new SynchronousWorkerClient(new __WEBPACK_IMPORTED_MODULE_6__editorSimpleWorker_js__["a" /* EditorSimpleWorkerImpl */](null)); } } return this._worker; }; EditorWorkerClient.prototype._getProxy = function () { var _this = this; return this._getOrCreateWorker().getProxyObject().then(undefined, function (err) { Object(__WEBPACK_IMPORTED_MODULE_2__base_common_worker_simpleWorker_js__["b" /* logOnceWebWorkerWarning */])(err); _this._worker = new SynchronousWorkerClient(new __WEBPACK_IMPORTED_MODULE_6__editorSimpleWorker_js__["a" /* EditorSimpleWorkerImpl */](null)); return _this._getOrCreateWorker().getProxyObject(); }); }; EditorWorkerClient.prototype._getOrCreateModelManager = function (proxy) { if (!this._modelManager) { this._modelManager = this._register(new EditorModelManager(proxy, this._modelService, false)); } return this._modelManager; }; EditorWorkerClient.prototype._withSyncedResources = function (resources) { var _this = this; return this._getProxy().then(function (proxy) { _this._getOrCreateModelManager(proxy).esureSyncedResources(resources); return proxy; }); }; EditorWorkerClient.prototype.computeDiff = function (original, modified, ignoreTrimWhitespace) { return this._withSyncedResources([original, modified]).then(function (proxy) { return proxy.computeDiff(original.toString(), modified.toString(), ignoreTrimWhitespace); }); }; EditorWorkerClient.prototype.computeMoreMinimalEdits = function (resource, edits) { return this._withSyncedResources([resource]).then(function (proxy) { return proxy.computeMoreMinimalEdits(resource.toString(), edits); }); }; EditorWorkerClient.prototype.computeLinks = function (resource) { return this._withSyncedResources([resource]).then(function (proxy) { return proxy.computeLinks(resource.toString()); }); }; EditorWorkerClient.prototype.textualSuggest = function (resource, position) { var _this = this; return this._withSyncedResources([resource]).then(function (proxy) { var model = _this._modelService.getModel(resource); if (!model) { return null; } var wordDefRegExp = __WEBPACK_IMPORTED_MODULE_5__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getWordDefinition(model.getLanguageIdentifier().id); var wordDef = wordDefRegExp.source; var wordDefFlags = Object(__WEBPACK_IMPORTED_MODULE_9__base_common_strings_js__["z" /* regExpFlags */])(wordDefRegExp); return proxy.textualSuggest(resource.toString(), position, wordDef, wordDefFlags); }); }; EditorWorkerClient.prototype.computeWordRanges = function (resource, range) { var _this = this; return this._withSyncedResources([resource]).then(function (proxy) { var model = _this._modelService.getModel(resource); if (!model) { return Promise.resolve(null); } var wordDefRegExp = __WEBPACK_IMPORTED_MODULE_5__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getWordDefinition(model.getLanguageIdentifier().id); var wordDef = wordDefRegExp.source; var wordDefFlags = Object(__WEBPACK_IMPORTED_MODULE_9__base_common_strings_js__["z" /* regExpFlags */])(wordDefRegExp); return proxy.computeWordRanges(resource.toString(), range, wordDef, wordDefFlags); }); }; EditorWorkerClient.prototype.navigateValueSet = function (resource, range, up) { var _this = this; return this._withSyncedResources([resource]).then(function (proxy) { var model = _this._modelService.getModel(resource); if (!model) { return null; } var wordDefRegExp = __WEBPACK_IMPORTED_MODULE_5__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getWordDefinition(model.getLanguageIdentifier().id); var wordDef = wordDefRegExp.source; var wordDefFlags = Object(__WEBPACK_IMPORTED_MODULE_9__base_common_strings_js__["z" /* regExpFlags */])(wordDefRegExp); return proxy.navigateValueSet(resource.toString(), range, up, wordDef, wordDefFlags); }); }; return EditorWorkerClient; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1687: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["b"] = logOnceWebWorkerWarning; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return SimpleWorkerClient; }); /* unused harmony export SimpleWorkerServer */ /* unused harmony export create */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__types_js__ = __webpack_require__(1057); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var INITIALIZE = '$initialize'; var webWorkerWarningLogged = false; function logOnceWebWorkerWarning(err) { if (!__WEBPACK_IMPORTED_MODULE_2__platform_js__["f" /* isWeb */]) { // running tests return; } if (!webWorkerWarningLogged) { webWorkerWarningLogged = true; console.warn('Could not create web worker(s). Falling back to loading web worker code in main thread, which might cause UI freezes. Please see https://github.com/Microsoft/monaco-editor#faq'); } console.warn(err.message); } var SimpleWorkerProtocol = /** @class */ (function () { function SimpleWorkerProtocol(handler) { this._workerId = -1; this._handler = handler; this._lastSentReq = 0; this._pendingReplies = Object.create(null); } SimpleWorkerProtocol.prototype.setWorkerId = function (workerId) { this._workerId = workerId; }; SimpleWorkerProtocol.prototype.sendMessage = function (method, args) { var _this = this; var req = String(++this._lastSentReq); return new Promise(function (resolve, reject) { _this._pendingReplies[req] = { resolve: resolve, reject: reject }; _this._send({ vsWorker: _this._workerId, req: req, method: method, args: args }); }); }; SimpleWorkerProtocol.prototype.handleMessage = function (serializedMessage) { var message; try { message = JSON.parse(serializedMessage); } catch (e) { // nothing return; } if (!message || !message.vsWorker) { return; } if (this._workerId !== -1 && message.vsWorker !== this._workerId) { return; } this._handleMessage(message); }; SimpleWorkerProtocol.prototype._handleMessage = function (msg) { var _this = this; if (msg.seq) { var replyMessage = msg; if (!this._pendingReplies[replyMessage.seq]) { console.warn('Got reply to unknown seq'); return; } var reply = this._pendingReplies[replyMessage.seq]; delete this._pendingReplies[replyMessage.seq]; if (replyMessage.err) { var err = replyMessage.err; if (replyMessage.err.$isError) { err = new Error(); err.name = replyMessage.err.name; err.message = replyMessage.err.message; err.stack = replyMessage.err.stack; } reply.reject(err); return; } reply.resolve(replyMessage.res); return; } var requestMessage = msg; var req = requestMessage.req; var result = this._handler.handleMessage(requestMessage.method, requestMessage.args); result.then(function (r) { _this._send({ vsWorker: _this._workerId, seq: req, res: r, err: undefined }); }, function (e) { if (e.detail instanceof Error) { // Loading errors have a detail property that points to the actual error e.detail = Object(__WEBPACK_IMPORTED_MODULE_0__errors_js__["f" /* transformErrorForSerialization */])(e.detail); } _this._send({ vsWorker: _this._workerId, seq: req, res: undefined, err: Object(__WEBPACK_IMPORTED_MODULE_0__errors_js__["f" /* transformErrorForSerialization */])(e) }); }); }; SimpleWorkerProtocol.prototype._send = function (msg) { var strMsg = JSON.stringify(msg); // console.log('SENDING: ' + strMsg); this._handler.sendMessage(strMsg); }; return SimpleWorkerProtocol; }()); /** * Main thread side */ var SimpleWorkerClient = /** @class */ (function (_super) { __extends(SimpleWorkerClient, _super); function SimpleWorkerClient(workerFactory, moduleId) { var _this = _super.call(this) || this; var lazyProxyReject = null; _this._worker = _this._register(workerFactory.create('vs/base/common/worker/simpleWorker', function (msg) { _this._protocol.handleMessage(msg); }, function (err) { // in Firefox, web workers fail lazily :( // we will reject the proxy if (lazyProxyReject) { lazyProxyReject(err); } })); _this._protocol = new SimpleWorkerProtocol({ sendMessage: function (msg) { _this._worker.postMessage(msg); }, handleMessage: function (method, args) { // Intentionally not supporting worker -> main requests return Promise.resolve(null); } }); _this._protocol.setWorkerId(_this._worker.getId()); // Gather loader configuration var loaderConfiguration = null; if (typeof self.require !== 'undefined' && typeof self.require.getConfig === 'function') { // Get the configuration from the Monaco AMD Loader loaderConfiguration = self.require.getConfig(); } else if (typeof self.requirejs !== 'undefined') { // Get the configuration from requirejs loaderConfiguration = self.requirejs.s.contexts._.config; } // Send initialize message _this._onModuleLoaded = _this._protocol.sendMessage(INITIALIZE, [ _this._worker.getId(), moduleId, loaderConfiguration ]); _this._lazyProxy = new Promise(function (resolve, reject) { lazyProxyReject = reject; _this._onModuleLoaded.then(function (availableMethods) { var proxy = {}; for (var _i = 0, availableMethods_1 = availableMethods; _i < availableMethods_1.length; _i++) { var methodName = availableMethods_1[_i]; proxy[methodName] = createProxyMethod(methodName, proxyMethodRequest); } resolve(proxy); }, function (e) { reject(e); _this._onError('Worker failed to load ' + moduleId, e); }); }); // Create proxy to loaded code var proxyMethodRequest = function (method, args) { return _this._request(method, args); }; var createProxyMethod = function (method, proxyMethodRequest) { return function () { var args = Array.prototype.slice.call(arguments, 0); return proxyMethodRequest(method, args); }; }; return _this; } SimpleWorkerClient.prototype.getProxyObject = function () { return this._lazyProxy; }; SimpleWorkerClient.prototype._request = function (method, args) { var _this = this; return new Promise(function (resolve, reject) { _this._onModuleLoaded.then(function () { _this._protocol.sendMessage(method, args).then(resolve, reject); }, reject); }); }; SimpleWorkerClient.prototype._onError = function (message, error) { console.error(message); console.info(error); }; return SimpleWorkerClient; }(__WEBPACK_IMPORTED_MODULE_1__lifecycle_js__["a" /* Disposable */])); /** * Worker side */ var SimpleWorkerServer = /** @class */ (function () { function SimpleWorkerServer(postSerializedMessage, requestHandler) { var _this = this; this._requestHandler = requestHandler; this._protocol = new SimpleWorkerProtocol({ sendMessage: function (msg) { postSerializedMessage(msg); }, handleMessage: function (method, args) { return _this._handleMessage(method, args); } }); } SimpleWorkerServer.prototype.onmessage = function (msg) { this._protocol.handleMessage(msg); }; SimpleWorkerServer.prototype._handleMessage = function (method, args) { if (method === INITIALIZE) { return this.initialize(args[0], args[1], args[2]); } if (!this._requestHandler || typeof this._requestHandler[method] !== 'function') { return Promise.reject(new Error('Missing requestHandler or method: ' + method)); } try { return Promise.resolve(this._requestHandler[method].apply(this._requestHandler, args)); } catch (e) { return Promise.reject(e); } }; SimpleWorkerServer.prototype.initialize = function (workerId, moduleId, loaderConfig) { var _this = this; this._protocol.setWorkerId(workerId); if (this._requestHandler) { // static request handler var methods = []; for (var _i = 0, _a = Object(__WEBPACK_IMPORTED_MODULE_3__types_js__["b" /* getAllPropertyNames */])(this._requestHandler); _i < _a.length; _i++) { var prop = _a[_i]; if (typeof this._requestHandler[prop] === 'function') { methods.push(prop); } } return Promise.resolve(methods); } if (loaderConfig) { // Remove 'baseUrl', handling it is beyond scope for now if (typeof loaderConfig.baseUrl !== 'undefined') { delete loaderConfig['baseUrl']; } if (typeof loaderConfig.paths !== 'undefined') { if (typeof loaderConfig.paths.vs !== 'undefined') { delete loaderConfig.paths['vs']; } } // Since this is in a web worker, enable catching errors loaderConfig.catchError = true; self.require.config(loaderConfig); } return new Promise(function (resolve, reject) { // Use the global require to be sure to get the global config self.require([moduleId], function () { var result = []; for (var _i = 0; _i < arguments.length; _i++) { result[_i] = arguments[_i]; } var handlerModule = result[0]; _this._requestHandler = handlerModule.create(); if (!_this._requestHandler) { reject(new Error("No RequestHandler!")); return; } var methods = []; for (var _a = 0, _b = Object(__WEBPACK_IMPORTED_MODULE_3__types_js__["b" /* getAllPropertyNames */])(_this._requestHandler); _a < _b.length; _a++) { var prop = _b[_a]; if (typeof _this._requestHandler[prop] === 'function') { methods.push(prop); } } resolve(methods); }, reject); }); }; return SimpleWorkerServer; }()); /** * Called on the worker side */ function create(postMessage) { return new SimpleWorkerServer(postMessage, null); } /***/ }), /***/ 1688: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["b"] = stringDiff; /* unused harmony export Debug */ /* unused harmony export MyArray */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LcsDiff; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__diffChange_js__ = __webpack_require__(1905); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function createStringSequence(a) { return { getLength: function () { return a.length; }, getElementAtIndex: function (pos) { return a.charCodeAt(pos); } }; } function stringDiff(original, modified, pretty) { return new LcsDiff(createStringSequence(original), createStringSequence(modified)).ComputeDiff(pretty); } // // The code below has been ported from a C# implementation in VS // var Debug = /** @class */ (function () { function Debug() { } Debug.Assert = function (condition, message) { if (!condition) { throw new Error(message); } }; return Debug; }()); var MyArray = /** @class */ (function () { function MyArray() { } /** * Copies a range of elements from an Array starting at the specified source index and pastes * them to another Array starting at the specified destination index. The length and the indexes * are specified as 64-bit integers. * sourceArray: * The Array that contains the data to copy. * sourceIndex: * A 64-bit integer that represents the index in the sourceArray at which copying begins. * destinationArray: * The Array that receives the data. * destinationIndex: * A 64-bit integer that represents the index in the destinationArray at which storing begins. * length: * A 64-bit integer that represents the number of elements to copy. */ MyArray.Copy = function (sourceArray, sourceIndex, destinationArray, destinationIndex, length) { for (var i = 0; i < length; i++) { destinationArray[destinationIndex + i] = sourceArray[sourceIndex + i]; } }; return MyArray; }()); //***************************************************************************** // LcsDiff.cs // // An implementation of the difference algorithm described in // "An O(ND) Difference Algorithm and its variations" by Eugene W. Myers // // Copyright (C) 2008 Microsoft Corporation @minifier_do_not_preserve //***************************************************************************** // Our total memory usage for storing history is (worst-case): // 2 * [(MaxDifferencesHistory + 1) * (MaxDifferencesHistory + 1) - 1] * sizeof(int) // 2 * [1448*1448 - 1] * 4 = 16773624 = 16MB var MaxDifferencesHistory = 1447; //let MaxDifferencesHistory = 100; /** * A utility class which helps to create the set of DiffChanges from * a difference operation. This class accepts original DiffElements and * modified DiffElements that are involved in a particular change. The * MarktNextChange() method can be called to mark the separation between * distinct changes. At the end, the Changes property can be called to retrieve * the constructed changes. */ var DiffChangeHelper = /** @class */ (function () { /** * Constructs a new DiffChangeHelper for the given DiffSequences. */ function DiffChangeHelper() { this.m_changes = []; this.m_originalStart = Number.MAX_VALUE; this.m_modifiedStart = Number.MAX_VALUE; this.m_originalCount = 0; this.m_modifiedCount = 0; } /** * Marks the beginning of the next change in the set of differences. */ DiffChangeHelper.prototype.MarkNextChange = function () { // Only add to the list if there is something to add if (this.m_originalCount > 0 || this.m_modifiedCount > 0) { // Add the new change to our list this.m_changes.push(new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](this.m_originalStart, this.m_originalCount, this.m_modifiedStart, this.m_modifiedCount)); } // Reset for the next change this.m_originalCount = 0; this.m_modifiedCount = 0; this.m_originalStart = Number.MAX_VALUE; this.m_modifiedStart = Number.MAX_VALUE; }; /** * Adds the original element at the given position to the elements * affected by the current change. The modified index gives context * to the change position with respect to the original sequence. * @param originalIndex The index of the original element to add. * @param modifiedIndex The index of the modified element that provides corresponding position in the modified sequence. */ DiffChangeHelper.prototype.AddOriginalElement = function (originalIndex, modifiedIndex) { // The 'true' start index is the smallest of the ones we've seen this.m_originalStart = Math.min(this.m_originalStart, originalIndex); this.m_modifiedStart = Math.min(this.m_modifiedStart, modifiedIndex); this.m_originalCount++; }; /** * Adds the modified element at the given position to the elements * affected by the current change. The original index gives context * to the change position with respect to the modified sequence. * @param originalIndex The index of the original element that provides corresponding position in the original sequence. * @param modifiedIndex The index of the modified element to add. */ DiffChangeHelper.prototype.AddModifiedElement = function (originalIndex, modifiedIndex) { // The 'true' start index is the smallest of the ones we've seen this.m_originalStart = Math.min(this.m_originalStart, originalIndex); this.m_modifiedStart = Math.min(this.m_modifiedStart, modifiedIndex); this.m_modifiedCount++; }; /** * Retrieves all of the changes marked by the class. */ DiffChangeHelper.prototype.getChanges = function () { if (this.m_originalCount > 0 || this.m_modifiedCount > 0) { // Finish up on whatever is left this.MarkNextChange(); } return this.m_changes; }; /** * Retrieves all of the changes marked by the class in the reverse order */ DiffChangeHelper.prototype.getReverseChanges = function () { if (this.m_originalCount > 0 || this.m_modifiedCount > 0) { // Finish up on whatever is left this.MarkNextChange(); } this.m_changes.reverse(); return this.m_changes; }; return DiffChangeHelper; }()); /** * An implementation of the difference algorithm described in * "An O(ND) Difference Algorithm and its variations" by Eugene W. Myers */ var LcsDiff = /** @class */ (function () { /** * Constructs the DiffFinder */ function LcsDiff(originalSequence, newSequence, continueProcessingPredicate) { if (continueProcessingPredicate === void 0) { continueProcessingPredicate = null; } this.OriginalSequence = originalSequence; this.ModifiedSequence = newSequence; this.ContinueProcessingPredicate = continueProcessingPredicate; this.m_forwardHistory = []; this.m_reverseHistory = []; } LcsDiff.prototype.ElementsAreEqual = function (originalIndex, newIndex) { return (this.OriginalSequence.getElementAtIndex(originalIndex) === this.ModifiedSequence.getElementAtIndex(newIndex)); }; LcsDiff.prototype.OriginalElementsAreEqual = function (index1, index2) { return (this.OriginalSequence.getElementAtIndex(index1) === this.OriginalSequence.getElementAtIndex(index2)); }; LcsDiff.prototype.ModifiedElementsAreEqual = function (index1, index2) { return (this.ModifiedSequence.getElementAtIndex(index1) === this.ModifiedSequence.getElementAtIndex(index2)); }; LcsDiff.prototype.ComputeDiff = function (pretty) { return this._ComputeDiff(0, this.OriginalSequence.getLength() - 1, 0, this.ModifiedSequence.getLength() - 1, pretty); }; /** * Computes the differences between the original and modified input * sequences on the bounded range. * @returns An array of the differences between the two input sequences. */ LcsDiff.prototype._ComputeDiff = function (originalStart, originalEnd, modifiedStart, modifiedEnd, pretty) { var quitEarlyArr = [false]; var changes = this.ComputeDiffRecursive(originalStart, originalEnd, modifiedStart, modifiedEnd, quitEarlyArr); if (pretty) { // We have to clean up the computed diff to be more intuitive // but it turns out this cannot be done correctly until the entire set // of diffs have been computed return this.PrettifyChanges(changes); } return changes; }; /** * Private helper method which computes the differences on the bounded range * recursively. * @returns An array of the differences between the two input sequences. */ LcsDiff.prototype.ComputeDiffRecursive = function (originalStart, originalEnd, modifiedStart, modifiedEnd, quitEarlyArr) { quitEarlyArr[0] = false; // Find the start of the differences while (originalStart <= originalEnd && modifiedStart <= modifiedEnd && this.ElementsAreEqual(originalStart, modifiedStart)) { originalStart++; modifiedStart++; } // Find the end of the differences while (originalEnd >= originalStart && modifiedEnd >= modifiedStart && this.ElementsAreEqual(originalEnd, modifiedEnd)) { originalEnd--; modifiedEnd--; } // In the special case where we either have all insertions or all deletions or the sequences are identical if (originalStart > originalEnd || modifiedStart > modifiedEnd) { var changes = void 0; if (modifiedStart <= modifiedEnd) { Debug.Assert(originalStart === originalEnd + 1, 'originalStart should only be one more than originalEnd'); // All insertions changes = [ new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](originalStart, 0, modifiedStart, modifiedEnd - modifiedStart + 1) ]; } else if (originalStart <= originalEnd) { Debug.Assert(modifiedStart === modifiedEnd + 1, 'modifiedStart should only be one more than modifiedEnd'); // All deletions changes = [ new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](originalStart, originalEnd - originalStart + 1, modifiedStart, 0) ]; } else { Debug.Assert(originalStart === originalEnd + 1, 'originalStart should only be one more than originalEnd'); Debug.Assert(modifiedStart === modifiedEnd + 1, 'modifiedStart should only be one more than modifiedEnd'); // Identical sequences - No differences changes = []; } return changes; } // This problem can be solved using the Divide-And-Conquer technique. var midOriginalArr = [0], midModifiedArr = [0]; var result = this.ComputeRecursionPoint(originalStart, originalEnd, modifiedStart, modifiedEnd, midOriginalArr, midModifiedArr, quitEarlyArr); var midOriginal = midOriginalArr[0]; var midModified = midModifiedArr[0]; if (result !== null) { // Result is not-null when there was enough memory to compute the changes while // searching for the recursion point return result; } else if (!quitEarlyArr[0]) { // We can break the problem down recursively by finding the changes in the // First Half: (originalStart, modifiedStart) to (midOriginal, midModified) // Second Half: (midOriginal + 1, minModified + 1) to (originalEnd, modifiedEnd) // NOTE: ComputeDiff() is inclusive, therefore the second range starts on the next point var leftChanges = this.ComputeDiffRecursive(originalStart, midOriginal, modifiedStart, midModified, quitEarlyArr); var rightChanges = []; if (!quitEarlyArr[0]) { rightChanges = this.ComputeDiffRecursive(midOriginal + 1, originalEnd, midModified + 1, modifiedEnd, quitEarlyArr); } else { // We did't have time to finish the first half, so we don't have time to compute this half. // Consider the entire rest of the sequence different. rightChanges = [ new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](midOriginal + 1, originalEnd - (midOriginal + 1) + 1, midModified + 1, modifiedEnd - (midModified + 1) + 1) ]; } return this.ConcatenateChanges(leftChanges, rightChanges); } // If we hit here, we quit early, and so can't return anything meaningful return [ new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](originalStart, originalEnd - originalStart + 1, modifiedStart, modifiedEnd - modifiedStart + 1) ]; }; LcsDiff.prototype.WALKTRACE = function (diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr) { var forwardChanges = null, reverseChanges = null; // First, walk backward through the forward diagonals history var changeHelper = new DiffChangeHelper(); var diagonalMin = diagonalForwardStart; var diagonalMax = diagonalForwardEnd; var diagonalRelative = (midOriginalArr[0] - midModifiedArr[0]) - diagonalForwardOffset; var lastOriginalIndex = Number.MIN_VALUE; var historyIndex = this.m_forwardHistory.length - 1; var diagonal; do { // Get the diagonal index from the relative diagonal number diagonal = diagonalRelative + diagonalForwardBase; // Figure out where we came from if (diagonal === diagonalMin || (diagonal < diagonalMax && forwardPoints[diagonal - 1] < forwardPoints[diagonal + 1])) { // Vertical line (the element is an insert) originalIndex = forwardPoints[diagonal + 1]; modifiedIndex = originalIndex - diagonalRelative - diagonalForwardOffset; if (originalIndex < lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex; changeHelper.AddModifiedElement(originalIndex + 1, modifiedIndex); diagonalRelative = (diagonal + 1) - diagonalForwardBase; //Setup for the next iteration } else { // Horizontal line (the element is a deletion) originalIndex = forwardPoints[diagonal - 1] + 1; modifiedIndex = originalIndex - diagonalRelative - diagonalForwardOffset; if (originalIndex < lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex - 1; changeHelper.AddOriginalElement(originalIndex, modifiedIndex + 1); diagonalRelative = (diagonal - 1) - diagonalForwardBase; //Setup for the next iteration } if (historyIndex >= 0) { forwardPoints = this.m_forwardHistory[historyIndex]; diagonalForwardBase = forwardPoints[0]; //We stored this in the first spot diagonalMin = 1; diagonalMax = forwardPoints.length - 1; } } while (--historyIndex >= -1); // Ironically, we get the forward changes as the reverse of the // order we added them since we technically added them backwards forwardChanges = changeHelper.getReverseChanges(); if (quitEarlyArr[0]) { // TODO: Calculate a partial from the reverse diagonals. // For now, just assume everything after the midOriginal/midModified point is a diff var originalStartPoint = midOriginalArr[0] + 1; var modifiedStartPoint = midModifiedArr[0] + 1; if (forwardChanges !== null && forwardChanges.length > 0) { var lastForwardChange = forwardChanges[forwardChanges.length - 1]; originalStartPoint = Math.max(originalStartPoint, lastForwardChange.getOriginalEnd()); modifiedStartPoint = Math.max(modifiedStartPoint, lastForwardChange.getModifiedEnd()); } reverseChanges = [ new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](originalStartPoint, originalEnd - originalStartPoint + 1, modifiedStartPoint, modifiedEnd - modifiedStartPoint + 1) ]; } else { // Now walk backward through the reverse diagonals history changeHelper = new DiffChangeHelper(); diagonalMin = diagonalReverseStart; diagonalMax = diagonalReverseEnd; diagonalRelative = (midOriginalArr[0] - midModifiedArr[0]) - diagonalReverseOffset; lastOriginalIndex = Number.MAX_VALUE; historyIndex = (deltaIsEven) ? this.m_reverseHistory.length - 1 : this.m_reverseHistory.length - 2; do { // Get the diagonal index from the relative diagonal number diagonal = diagonalRelative + diagonalReverseBase; // Figure out where we came from if (diagonal === diagonalMin || (diagonal < diagonalMax && reversePoints[diagonal - 1] >= reversePoints[diagonal + 1])) { // Horizontal line (the element is a deletion)) originalIndex = reversePoints[diagonal + 1] - 1; modifiedIndex = originalIndex - diagonalRelative - diagonalReverseOffset; if (originalIndex > lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex + 1; changeHelper.AddOriginalElement(originalIndex + 1, modifiedIndex + 1); diagonalRelative = (diagonal + 1) - diagonalReverseBase; //Setup for the next iteration } else { // Vertical line (the element is an insertion) originalIndex = reversePoints[diagonal - 1]; modifiedIndex = originalIndex - diagonalRelative - diagonalReverseOffset; if (originalIndex > lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex; changeHelper.AddModifiedElement(originalIndex + 1, modifiedIndex + 1); diagonalRelative = (diagonal - 1) - diagonalReverseBase; //Setup for the next iteration } if (historyIndex >= 0) { reversePoints = this.m_reverseHistory[historyIndex]; diagonalReverseBase = reversePoints[0]; //We stored this in the first spot diagonalMin = 1; diagonalMax = reversePoints.length - 1; } } while (--historyIndex >= -1); // There are cases where the reverse history will find diffs that // are correct, but not intuitive, so we need shift them. reverseChanges = changeHelper.getChanges(); } return this.ConcatenateChanges(forwardChanges, reverseChanges); }; /** * Given the range to compute the diff on, this method finds the point: * (midOriginal, midModified) * that exists in the middle of the LCS of the two sequences and * is the point at which the LCS problem may be broken down recursively. * This method will try to keep the LCS trace in memory. If the LCS recursion * point is calculated and the full trace is available in memory, then this method * will return the change list. * @param originalStart The start bound of the original sequence range * @param originalEnd The end bound of the original sequence range * @param modifiedStart The start bound of the modified sequence range * @param modifiedEnd The end bound of the modified sequence range * @param midOriginal The middle point of the original sequence range * @param midModified The middle point of the modified sequence range * @returns The diff changes, if available, otherwise null */ LcsDiff.prototype.ComputeRecursionPoint = function (originalStart, originalEnd, modifiedStart, modifiedEnd, midOriginalArr, midModifiedArr, quitEarlyArr) { var originalIndex = 0, modifiedIndex = 0; var diagonalForwardStart = 0, diagonalForwardEnd = 0; var diagonalReverseStart = 0, diagonalReverseEnd = 0; var numDifferences; // To traverse the edit graph and produce the proper LCS, our actual // start position is just outside the given boundary originalStart--; modifiedStart--; // We set these up to make the compiler happy, but they will // be replaced before we return with the actual recursion point midOriginalArr[0] = 0; midModifiedArr[0] = 0; // Clear out the history this.m_forwardHistory = []; this.m_reverseHistory = []; // Each cell in the two arrays corresponds to a diagonal in the edit graph. // The integer value in the cell represents the originalIndex of the furthest // reaching point found so far that ends in that diagonal. // The modifiedIndex can be computed mathematically from the originalIndex and the diagonal number. var maxDifferences = (originalEnd - originalStart) + (modifiedEnd - modifiedStart); var numDiagonals = maxDifferences + 1; var forwardPoints = new Array(numDiagonals); var reversePoints = new Array(numDiagonals); // diagonalForwardBase: Index into forwardPoints of the diagonal which passes through (originalStart, modifiedStart) // diagonalReverseBase: Index into reversePoints of the diagonal which passes through (originalEnd, modifiedEnd) var diagonalForwardBase = (modifiedEnd - modifiedStart); var diagonalReverseBase = (originalEnd - originalStart); // diagonalForwardOffset: Geometric offset which allows modifiedIndex to be computed from originalIndex and the // diagonal number (relative to diagonalForwardBase) // diagonalReverseOffset: Geometric offset which allows modifiedIndex to be computed from originalIndex and the // diagonal number (relative to diagonalReverseBase) var diagonalForwardOffset = (originalStart - modifiedStart); var diagonalReverseOffset = (originalEnd - modifiedEnd); // delta: The difference between the end diagonal and the start diagonal. This is used to relate diagonal numbers // relative to the start diagonal with diagonal numbers relative to the end diagonal. // The Even/Oddn-ness of this delta is important for determining when we should check for overlap var delta = diagonalReverseBase - diagonalForwardBase; var deltaIsEven = (delta % 2 === 0); // Here we set up the start and end points as the furthest points found so far // in both the forward and reverse directions, respectively forwardPoints[diagonalForwardBase] = originalStart; reversePoints[diagonalReverseBase] = originalEnd; // Remember if we quit early, and thus need to do a best-effort result instead of a real result. quitEarlyArr[0] = false; // A couple of points: // --With this method, we iterate on the number of differences between the two sequences. // The more differences there actually are, the longer this will take. // --Also, as the number of differences increases, we have to search on diagonals further // away from the reference diagonal (which is diagonalForwardBase for forward, diagonalReverseBase for reverse). // --We extend on even diagonals (relative to the reference diagonal) only when numDifferences // is even and odd diagonals only when numDifferences is odd. var diagonal, tempOriginalIndex; for (numDifferences = 1; numDifferences <= (maxDifferences / 2) + 1; numDifferences++) { var furthestOriginalIndex = 0; var furthestModifiedIndex = 0; // Run the algorithm in the forward direction diagonalForwardStart = this.ClipDiagonalBound(diagonalForwardBase - numDifferences, numDifferences, diagonalForwardBase, numDiagonals); diagonalForwardEnd = this.ClipDiagonalBound(diagonalForwardBase + numDifferences, numDifferences, diagonalForwardBase, numDiagonals); for (diagonal = diagonalForwardStart; diagonal <= diagonalForwardEnd; diagonal += 2) { // STEP 1: We extend the furthest reaching point in the present diagonal // by looking at the diagonals above and below and picking the one whose point // is further away from the start point (originalStart, modifiedStart) if (diagonal === diagonalForwardStart || (diagonal < diagonalForwardEnd && forwardPoints[diagonal - 1] < forwardPoints[diagonal + 1])) { originalIndex = forwardPoints[diagonal + 1]; } else { originalIndex = forwardPoints[diagonal - 1] + 1; } modifiedIndex = originalIndex - (diagonal - diagonalForwardBase) - diagonalForwardOffset; // Save the current originalIndex so we can test for false overlap in step 3 tempOriginalIndex = originalIndex; // STEP 2: We can continue to extend the furthest reaching point in the present diagonal // so long as the elements are equal. while (originalIndex < originalEnd && modifiedIndex < modifiedEnd && this.ElementsAreEqual(originalIndex + 1, modifiedIndex + 1)) { originalIndex++; modifiedIndex++; } forwardPoints[diagonal] = originalIndex; if (originalIndex + modifiedIndex > furthestOriginalIndex + furthestModifiedIndex) { furthestOriginalIndex = originalIndex; furthestModifiedIndex = modifiedIndex; } // STEP 3: If delta is odd (overlap first happens on forward when delta is odd) // and diagonal is in the range of reverse diagonals computed for numDifferences-1 // (the previous iteration; we haven't computed reverse diagonals for numDifferences yet) // then check for overlap. if (!deltaIsEven && Math.abs(diagonal - diagonalReverseBase) <= (numDifferences - 1)) { if (originalIndex >= reversePoints[diagonal]) { midOriginalArr[0] = originalIndex; midModifiedArr[0] = modifiedIndex; if (tempOriginalIndex <= reversePoints[diagonal] && MaxDifferencesHistory > 0 && numDifferences <= (MaxDifferencesHistory + 1)) { // BINGO! We overlapped, and we have the full trace in memory! return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } else { // Either false overlap, or we didn't have enough memory for the full trace // Just return the recursion point return null; } } } } // Check to see if we should be quitting early, before moving on to the next iteration. var matchLengthOfLongest = ((furthestOriginalIndex - originalStart) + (furthestModifiedIndex - modifiedStart) - numDifferences) / 2; if (this.ContinueProcessingPredicate !== null && !this.ContinueProcessingPredicate(furthestOriginalIndex, this.OriginalSequence, matchLengthOfLongest)) { // We can't finish, so skip ahead to generating a result from what we have. quitEarlyArr[0] = true; // Use the furthest distance we got in the forward direction. midOriginalArr[0] = furthestOriginalIndex; midModifiedArr[0] = furthestModifiedIndex; if (matchLengthOfLongest > 0 && MaxDifferencesHistory > 0 && numDifferences <= (MaxDifferencesHistory + 1)) { // Enough of the history is in memory to walk it backwards return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } else { // We didn't actually remember enough of the history. //Since we are quiting the diff early, we need to shift back the originalStart and modified start //back into the boundary limits since we decremented their value above beyond the boundary limit. originalStart++; modifiedStart++; return [ new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](originalStart, originalEnd - originalStart + 1, modifiedStart, modifiedEnd - modifiedStart + 1) ]; } } // Run the algorithm in the reverse direction diagonalReverseStart = this.ClipDiagonalBound(diagonalReverseBase - numDifferences, numDifferences, diagonalReverseBase, numDiagonals); diagonalReverseEnd = this.ClipDiagonalBound(diagonalReverseBase + numDifferences, numDifferences, diagonalReverseBase, numDiagonals); for (diagonal = diagonalReverseStart; diagonal <= diagonalReverseEnd; diagonal += 2) { // STEP 1: We extend the furthest reaching point in the present diagonal // by looking at the diagonals above and below and picking the one whose point // is further away from the start point (originalEnd, modifiedEnd) if (diagonal === diagonalReverseStart || (diagonal < diagonalReverseEnd && reversePoints[diagonal - 1] >= reversePoints[diagonal + 1])) { originalIndex = reversePoints[diagonal + 1] - 1; } else { originalIndex = reversePoints[diagonal - 1]; } modifiedIndex = originalIndex - (diagonal - diagonalReverseBase) - diagonalReverseOffset; // Save the current originalIndex so we can test for false overlap tempOriginalIndex = originalIndex; // STEP 2: We can continue to extend the furthest reaching point in the present diagonal // as long as the elements are equal. while (originalIndex > originalStart && modifiedIndex > modifiedStart && this.ElementsAreEqual(originalIndex, modifiedIndex)) { originalIndex--; modifiedIndex--; } reversePoints[diagonal] = originalIndex; // STEP 4: If delta is even (overlap first happens on reverse when delta is even) // and diagonal is in the range of forward diagonals computed for numDifferences // then check for overlap. if (deltaIsEven && Math.abs(diagonal - diagonalForwardBase) <= numDifferences) { if (originalIndex <= forwardPoints[diagonal]) { midOriginalArr[0] = originalIndex; midModifiedArr[0] = modifiedIndex; if (tempOriginalIndex >= forwardPoints[diagonal] && MaxDifferencesHistory > 0 && numDifferences <= (MaxDifferencesHistory + 1)) { // BINGO! We overlapped, and we have the full trace in memory! return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } else { // Either false overlap, or we didn't have enough memory for the full trace // Just return the recursion point return null; } } } } // Save current vectors to history before the next iteration if (numDifferences <= MaxDifferencesHistory) { // We are allocating space for one extra int, which we fill with // the index of the diagonal base index var temp = new Array(diagonalForwardEnd - diagonalForwardStart + 2); temp[0] = diagonalForwardBase - diagonalForwardStart + 1; MyArray.Copy(forwardPoints, diagonalForwardStart, temp, 1, diagonalForwardEnd - diagonalForwardStart + 1); this.m_forwardHistory.push(temp); temp = new Array(diagonalReverseEnd - diagonalReverseStart + 2); temp[0] = diagonalReverseBase - diagonalReverseStart + 1; MyArray.Copy(reversePoints, diagonalReverseStart, temp, 1, diagonalReverseEnd - diagonalReverseStart + 1); this.m_reverseHistory.push(temp); } } // If we got here, then we have the full trace in history. We just have to convert it to a change list // NOTE: This part is a bit messy return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); }; /** * Shifts the given changes to provide a more intuitive diff. * While the first element in a diff matches the first element after the diff, * we shift the diff down. * * @param changes The list of changes to shift * @returns The shifted changes */ LcsDiff.prototype.PrettifyChanges = function (changes) { // Shift all the changes down first for (var i = 0; i < changes.length; i++) { var change = changes[i]; var originalStop = (i < changes.length - 1) ? changes[i + 1].originalStart : this.OriginalSequence.getLength(); var modifiedStop = (i < changes.length - 1) ? changes[i + 1].modifiedStart : this.ModifiedSequence.getLength(); var checkOriginal = change.originalLength > 0; var checkModified = change.modifiedLength > 0; while (change.originalStart + change.originalLength < originalStop && change.modifiedStart + change.modifiedLength < modifiedStop && (!checkOriginal || this.OriginalElementsAreEqual(change.originalStart, change.originalStart + change.originalLength)) && (!checkModified || this.ModifiedElementsAreEqual(change.modifiedStart, change.modifiedStart + change.modifiedLength))) { change.originalStart++; change.modifiedStart++; } var mergedChangeArr = [null]; if (i < changes.length - 1 && this.ChangesOverlap(changes[i], changes[i + 1], mergedChangeArr)) { changes[i] = mergedChangeArr[0]; changes.splice(i + 1, 1); i--; continue; } } // Shift changes back up until we hit empty or whitespace-only lines for (var i = changes.length - 1; i >= 0; i--) { var change = changes[i]; var originalStop = 0; var modifiedStop = 0; if (i > 0) { var prevChange = changes[i - 1]; if (prevChange.originalLength > 0) { originalStop = prevChange.originalStart + prevChange.originalLength; } if (prevChange.modifiedLength > 0) { modifiedStop = prevChange.modifiedStart + prevChange.modifiedLength; } } var checkOriginal = change.originalLength > 0; var checkModified = change.modifiedLength > 0; var bestDelta = 0; var bestScore = this._boundaryScore(change.originalStart, change.originalLength, change.modifiedStart, change.modifiedLength); for (var delta = 1;; delta++) { var originalStart = change.originalStart - delta; var modifiedStart = change.modifiedStart - delta; if (originalStart < originalStop || modifiedStart < modifiedStop) { break; } if (checkOriginal && !this.OriginalElementsAreEqual(originalStart, originalStart + change.originalLength)) { break; } if (checkModified && !this.ModifiedElementsAreEqual(modifiedStart, modifiedStart + change.modifiedLength)) { break; } var score = this._boundaryScore(originalStart, change.originalLength, modifiedStart, change.modifiedLength); if (score > bestScore) { bestScore = score; bestDelta = delta; } } change.originalStart -= bestDelta; change.modifiedStart -= bestDelta; } return changes; }; LcsDiff.prototype._OriginalIsBoundary = function (index) { if (index <= 0 || index >= this.OriginalSequence.getLength() - 1) { return true; } var element = this.OriginalSequence.getElementAtIndex(index); return (typeof element === 'string' && /^\s*$/.test(element)); }; LcsDiff.prototype._OriginalRegionIsBoundary = function (originalStart, originalLength) { if (this._OriginalIsBoundary(originalStart) || this._OriginalIsBoundary(originalStart - 1)) { return true; } if (originalLength > 0) { var originalEnd = originalStart + originalLength; if (this._OriginalIsBoundary(originalEnd - 1) || this._OriginalIsBoundary(originalEnd)) { return true; } } return false; }; LcsDiff.prototype._ModifiedIsBoundary = function (index) { if (index <= 0 || index >= this.ModifiedSequence.getLength() - 1) { return true; } var element = this.ModifiedSequence.getElementAtIndex(index); return (typeof element === 'string' && /^\s*$/.test(element)); }; LcsDiff.prototype._ModifiedRegionIsBoundary = function (modifiedStart, modifiedLength) { if (this._ModifiedIsBoundary(modifiedStart) || this._ModifiedIsBoundary(modifiedStart - 1)) { return true; } if (modifiedLength > 0) { var modifiedEnd = modifiedStart + modifiedLength; if (this._ModifiedIsBoundary(modifiedEnd - 1) || this._ModifiedIsBoundary(modifiedEnd)) { return true; } } return false; }; LcsDiff.prototype._boundaryScore = function (originalStart, originalLength, modifiedStart, modifiedLength) { var originalScore = (this._OriginalRegionIsBoundary(originalStart, originalLength) ? 1 : 0); var modifiedScore = (this._ModifiedRegionIsBoundary(modifiedStart, modifiedLength) ? 1 : 0); return (originalScore + modifiedScore); }; /** * Concatenates the two input DiffChange lists and returns the resulting * list. * @param The left changes * @param The right changes * @returns The concatenated list */ LcsDiff.prototype.ConcatenateChanges = function (left, right) { var mergedChangeArr = []; if (left.length === 0 || right.length === 0) { return (right.length > 0) ? right : left; } else if (this.ChangesOverlap(left[left.length - 1], right[0], mergedChangeArr)) { // Since we break the problem down recursively, it is possible that we // might recurse in the middle of a change thereby splitting it into // two changes. Here in the combining stage, we detect and fuse those // changes back together var result = new Array(left.length + right.length - 1); MyArray.Copy(left, 0, result, 0, left.length - 1); result[left.length - 1] = mergedChangeArr[0]; MyArray.Copy(right, 1, result, left.length, right.length - 1); return result; } else { var result = new Array(left.length + right.length); MyArray.Copy(left, 0, result, 0, left.length); MyArray.Copy(right, 0, result, left.length, right.length); return result; } }; /** * Returns true if the two changes overlap and can be merged into a single * change * @param left The left change * @param right The right change * @param mergedChange The merged change if the two overlap, null otherwise * @returns True if the two changes overlap */ LcsDiff.prototype.ChangesOverlap = function (left, right, mergedChangeArr) { Debug.Assert(left.originalStart <= right.originalStart, 'Left change is not less than or equal to right change'); Debug.Assert(left.modifiedStart <= right.modifiedStart, 'Left change is not less than or equal to right change'); if (left.originalStart + left.originalLength >= right.originalStart || left.modifiedStart + left.modifiedLength >= right.modifiedStart) { var originalStart = left.originalStart; var originalLength = left.originalLength; var modifiedStart = left.modifiedStart; var modifiedLength = left.modifiedLength; if (left.originalStart + left.originalLength >= right.originalStart) { originalLength = right.originalStart + right.originalLength - left.originalStart; } if (left.modifiedStart + left.modifiedLength >= right.modifiedStart) { modifiedLength = right.modifiedStart + right.modifiedLength - left.modifiedStart; } mergedChangeArr[0] = new __WEBPACK_IMPORTED_MODULE_0__diffChange_js__["a" /* DiffChange */](originalStart, originalLength, modifiedStart, modifiedLength); return true; } else { mergedChangeArr[0] = null; return false; } }; /** * Helper method used to clip a diagonal index to the range of valid * diagonals. This also decides whether or not the diagonal index, * if it exceeds the boundary, should be clipped to the boundary or clipped * one inside the boundary depending on the Even/Odd status of the boundary * and numDifferences. * @param diagonal The index of the diagonal to clip. * @param numDifferences The current number of differences being iterated upon. * @param diagonalBaseIndex The base reference diagonal. * @param numDiagonals The total number of diagonals. * @returns The clipped diagonal index. */ LcsDiff.prototype.ClipDiagonalBound = function (diagonal, numDifferences, diagonalBaseIndex, numDiagonals) { if (diagonal >= 0 && diagonal < numDiagonals) { // Nothing to clip, its in range return diagonal; } // diagonalsBelow: The number of diagonals below the reference diagonal // diagonalsAbove: The number of diagonals above the reference diagonal var diagonalsBelow = diagonalBaseIndex; var diagonalsAbove = numDiagonals - diagonalBaseIndex - 1; var diffEven = (numDifferences % 2 === 0); if (diagonal < 0) { var lowerBoundEven = (diagonalsBelow % 2 === 0); return (diffEven === lowerBoundEven) ? 0 : 1; } else { var upperBoundEven = (diagonalsAbove % 2 === 0); return (diffEven === upperBoundEven) ? numDiagonals - 1 : numDiagonals - 2; } }; return LcsDiff; }()); /***/ }), /***/ 1689: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MonarchTokenizer; }); /* harmony export (immutable) */ __webpack_exports__["b"] = createTokenizationSupport; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_core_token_js__ = __webpack_require__(1441); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_modes_nullMode_js__ = __webpack_require__(1326); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__ = __webpack_require__(1690); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CACHE_STACK_DEPTH = 5; /** * Reuse the same stack elements up to a certain depth. */ var MonarchStackElementFactory = /** @class */ (function () { function MonarchStackElementFactory(maxCacheDepth) { this._maxCacheDepth = maxCacheDepth; this._entries = Object.create(null); } MonarchStackElementFactory.create = function (parent, state) { return this._INSTANCE.create(parent, state); }; MonarchStackElementFactory.prototype.create = function (parent, state) { if (parent !== null && parent.depth >= this._maxCacheDepth) { // no caching above a certain depth return new MonarchStackElement(parent, state); } var stackElementId = MonarchStackElement.getStackElementId(parent); if (stackElementId.length > 0) { stackElementId += '|'; } stackElementId += state; var result = this._entries[stackElementId]; if (result) { return result; } result = new MonarchStackElement(parent, state); this._entries[stackElementId] = result; return result; }; MonarchStackElementFactory._INSTANCE = new MonarchStackElementFactory(CACHE_STACK_DEPTH); return MonarchStackElementFactory; }()); var MonarchStackElement = /** @class */ (function () { function MonarchStackElement(parent, state) { this.parent = parent; this.state = state; this.depth = (this.parent ? this.parent.depth : 0) + 1; } MonarchStackElement.getStackElementId = function (element) { var result = ''; while (element !== null) { if (result.length > 0) { result += '|'; } result += element.state; element = element.parent; } return result; }; MonarchStackElement._equals = function (a, b) { while (a !== null && b !== null) { if (a === b) { return true; } if (a.state !== b.state) { return false; } a = a.parent; b = b.parent; } if (a === null && b === null) { return true; } return false; }; MonarchStackElement.prototype.equals = function (other) { return MonarchStackElement._equals(this, other); }; MonarchStackElement.prototype.push = function (state) { return MonarchStackElementFactory.create(this, state); }; MonarchStackElement.prototype.pop = function () { return this.parent; }; MonarchStackElement.prototype.popall = function () { var result = this; while (result.parent) { result = result.parent; } return result; }; MonarchStackElement.prototype.switchTo = function (state) { return MonarchStackElementFactory.create(this.parent, state); }; return MonarchStackElement; }()); var EmbeddedModeData = /** @class */ (function () { function EmbeddedModeData(modeId, state) { this.modeId = modeId; this.state = state; } EmbeddedModeData.prototype.equals = function (other) { return (this.modeId === other.modeId && this.state.equals(other.state)); }; EmbeddedModeData.prototype.clone = function () { var stateClone = this.state.clone(); // save an object if (stateClone === this.state) { return this; } return new EmbeddedModeData(this.modeId, this.state); }; return EmbeddedModeData; }()); /** * Reuse the same line states up to a certain depth. */ var MonarchLineStateFactory = /** @class */ (function () { function MonarchLineStateFactory(maxCacheDepth) { this._maxCacheDepth = maxCacheDepth; this._entries = Object.create(null); } MonarchLineStateFactory.create = function (stack, embeddedModeData) { return this._INSTANCE.create(stack, embeddedModeData); }; MonarchLineStateFactory.prototype.create = function (stack, embeddedModeData) { if (embeddedModeData !== null) { // no caching when embedding return new MonarchLineState(stack, embeddedModeData); } if (stack !== null && stack.depth >= this._maxCacheDepth) { // no caching above a certain depth return new MonarchLineState(stack, embeddedModeData); } var stackElementId = MonarchStackElement.getStackElementId(stack); var result = this._entries[stackElementId]; if (result) { return result; } result = new MonarchLineState(stack, null); this._entries[stackElementId] = result; return result; }; MonarchLineStateFactory._INSTANCE = new MonarchLineStateFactory(CACHE_STACK_DEPTH); return MonarchLineStateFactory; }()); var MonarchLineState = /** @class */ (function () { function MonarchLineState(stack, embeddedModeData) { this.stack = stack; this.embeddedModeData = embeddedModeData; } MonarchLineState.prototype.clone = function () { var embeddedModeDataClone = this.embeddedModeData ? this.embeddedModeData.clone() : null; // save an object if (embeddedModeDataClone === this.embeddedModeData) { return this; } return MonarchLineStateFactory.create(this.stack, this.embeddedModeData); }; MonarchLineState.prototype.equals = function (other) { if (!(other instanceof MonarchLineState)) { return false; } if (!this.stack.equals(other.stack)) { return false; } if (this.embeddedModeData === null && other.embeddedModeData === null) { return true; } if (this.embeddedModeData === null || other.embeddedModeData === null) { return false; } return this.embeddedModeData.equals(other.embeddedModeData); }; return MonarchLineState; }()); var hasOwnProperty = Object.hasOwnProperty; var MonarchClassicTokensCollector = /** @class */ (function () { function MonarchClassicTokensCollector() { this._tokens = []; this._language = null; this._lastTokenType = null; this._lastTokenLanguage = null; } MonarchClassicTokensCollector.prototype.enterMode = function (startOffset, modeId) { this._language = modeId; }; MonarchClassicTokensCollector.prototype.emit = function (startOffset, type) { if (this._lastTokenType === type && this._lastTokenLanguage === this._language) { return; } this._lastTokenType = type; this._lastTokenLanguage = this._language; this._tokens.push(new __WEBPACK_IMPORTED_MODULE_0__common_core_token_js__["a" /* Token */](startOffset, type, this._language)); }; MonarchClassicTokensCollector.prototype.nestedModeTokenize = function (embeddedModeLine, embeddedModeData, offsetDelta) { var nestedModeId = embeddedModeData.modeId; var embeddedModeState = embeddedModeData.state; var nestedModeTokenizationSupport = __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].get(nestedModeId); if (!nestedModeTokenizationSupport) { this.enterMode(offsetDelta, nestedModeId); this.emit(offsetDelta, ''); return embeddedModeState; } var nestedResult = nestedModeTokenizationSupport.tokenize(embeddedModeLine, embeddedModeState, offsetDelta); this._tokens = this._tokens.concat(nestedResult.tokens); this._lastTokenType = null; this._lastTokenLanguage = null; this._language = null; return nestedResult.endState; }; MonarchClassicTokensCollector.prototype.finalize = function (endState) { return new __WEBPACK_IMPORTED_MODULE_0__common_core_token_js__["b" /* TokenizationResult */](this._tokens, endState); }; return MonarchClassicTokensCollector; }()); var MonarchModernTokensCollector = /** @class */ (function () { function MonarchModernTokensCollector(modeService, theme) { this._modeService = modeService; this._theme = theme; this._prependTokens = null; this._tokens = []; this._currentLanguageId = 0 /* Null */; this._lastTokenMetadata = 0; } MonarchModernTokensCollector.prototype.enterMode = function (startOffset, modeId) { this._currentLanguageId = this._modeService.getLanguageIdentifier(modeId).id; }; MonarchModernTokensCollector.prototype.emit = function (startOffset, type) { var metadata = this._theme.match(this._currentLanguageId, type); if (this._lastTokenMetadata === metadata) { return; } this._lastTokenMetadata = metadata; this._tokens.push(startOffset); this._tokens.push(metadata); }; MonarchModernTokensCollector._merge = function (a, b, c) { var aLen = (a !== null ? a.length : 0); var bLen = b.length; var cLen = (c !== null ? c.length : 0); if (aLen === 0 && bLen === 0 && cLen === 0) { return new Uint32Array(0); } if (aLen === 0 && bLen === 0) { return c; } if (bLen === 0 && cLen === 0) { return a; } var result = new Uint32Array(aLen + bLen + cLen); if (a !== null) { result.set(a); } for (var i = 0; i < bLen; i++) { result[aLen + i] = b[i]; } if (c !== null) { result.set(c, aLen + bLen); } return result; }; MonarchModernTokensCollector.prototype.nestedModeTokenize = function (embeddedModeLine, embeddedModeData, offsetDelta) { var nestedModeId = embeddedModeData.modeId; var embeddedModeState = embeddedModeData.state; var nestedModeTokenizationSupport = __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].get(nestedModeId); if (!nestedModeTokenizationSupport) { this.enterMode(offsetDelta, nestedModeId); this.emit(offsetDelta, ''); return embeddedModeState; } var nestedResult = nestedModeTokenizationSupport.tokenize2(embeddedModeLine, embeddedModeState, offsetDelta); this._prependTokens = MonarchModernTokensCollector._merge(this._prependTokens, this._tokens, nestedResult.tokens); this._tokens = []; this._currentLanguageId = 0; this._lastTokenMetadata = 0; return nestedResult.endState; }; MonarchModernTokensCollector.prototype.finalize = function (endState) { return new __WEBPACK_IMPORTED_MODULE_0__common_core_token_js__["c" /* TokenizationResult2 */](MonarchModernTokensCollector._merge(this._prependTokens, this._tokens, null), endState); }; return MonarchModernTokensCollector; }()); var MonarchTokenizer = /** @class */ (function () { function MonarchTokenizer(modeService, standaloneThemeService, modeId, lexer) { var _this = this; this._modeService = modeService; this._standaloneThemeService = standaloneThemeService; this._modeId = modeId; this._lexer = lexer; this._embeddedModes = Object.create(null); this.embeddedLoaded = Promise.resolve(undefined); // Set up listening for embedded modes var emitting = false; this._tokenizationRegistryListener = __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].onDidChange(function (e) { if (emitting) { return; } var isOneOfMyEmbeddedModes = false; for (var i = 0, len = e.changedLanguages.length; i < len; i++) { var language = e.changedLanguages[i]; if (_this._embeddedModes[language]) { isOneOfMyEmbeddedModes = true; break; } } if (isOneOfMyEmbeddedModes) { emitting = true; __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].fire([_this._modeId]); emitting = false; } }); } MonarchTokenizer.prototype.dispose = function () { this._tokenizationRegistryListener.dispose(); }; MonarchTokenizer.prototype.getLoadStatus = function () { var promises = []; for (var nestedModeId in this._embeddedModes) { var tokenizationSupport = __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].get(nestedModeId); if (tokenizationSupport) { // The nested mode is already loaded if (tokenizationSupport instanceof MonarchTokenizer) { var nestedModeStatus = tokenizationSupport.getLoadStatus(); if (nestedModeStatus.loaded === false) { promises.push(nestedModeStatus.promise); } } continue; } var tokenizationSupportPromise = __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].getPromise(nestedModeId); if (tokenizationSupportPromise) { // The nested mode is in the process of being loaded promises.push(tokenizationSupportPromise); } } if (promises.length === 0) { return { loaded: true }; } return { loaded: false, promise: Promise.all(promises).then(function (_) { return undefined; }) }; }; MonarchTokenizer.prototype.getInitialState = function () { var rootState = MonarchStackElementFactory.create(null, this._lexer.start); return MonarchLineStateFactory.create(rootState, null); }; MonarchTokenizer.prototype.tokenize = function (line, lineState, offsetDelta) { var tokensCollector = new MonarchClassicTokensCollector(); var endLineState = this._tokenize(line, lineState, offsetDelta, tokensCollector); return tokensCollector.finalize(endLineState); }; MonarchTokenizer.prototype.tokenize2 = function (line, lineState, offsetDelta) { var tokensCollector = new MonarchModernTokensCollector(this._modeService, this._standaloneThemeService.getTheme().tokenTheme); var endLineState = this._tokenize(line, lineState, offsetDelta, tokensCollector); return tokensCollector.finalize(endLineState); }; MonarchTokenizer.prototype._tokenize = function (line, lineState, offsetDelta, collector) { if (lineState.embeddedModeData) { return this._nestedTokenize(line, lineState, offsetDelta, collector); } else { return this._myTokenize(line, lineState, offsetDelta, collector); } }; MonarchTokenizer.prototype._findLeavingNestedModeOffset = function (line, state) { var rules = this._lexer.tokenizer[state.stack.state]; if (!rules) { rules = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["c" /* findRules */](this._lexer, state.stack.state); // do parent matching if (!rules) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'tokenizer state is not defined: ' + state.stack.state); } } var popOffset = -1; var hasEmbeddedPopRule = false; for (var idx in rules) { if (!hasOwnProperty.call(rules, idx)) { continue; } var rule = rules[idx]; if (!__WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["f" /* isIAction */](rule.action) || rule.action.nextEmbedded !== '@pop') { continue; } hasEmbeddedPopRule = true; var regex = rule.regex; var regexSource = rule.regex.source; if (regexSource.substr(0, 4) === '^(?:' && regexSource.substr(regexSource.length - 1, 1) === ')') { regex = new RegExp(regexSource.substr(4, regexSource.length - 5), regex.ignoreCase ? 'i' : ''); } var result = line.search(regex); if (result === -1) { continue; } if (popOffset === -1 || result < popOffset) { popOffset = result; } } if (!hasEmbeddedPopRule) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'no rule containing nextEmbedded: "@pop" in tokenizer embedded state: ' + state.stack.state); } return popOffset; }; MonarchTokenizer.prototype._nestedTokenize = function (line, lineState, offsetDelta, tokensCollector) { var popOffset = this._findLeavingNestedModeOffset(line, lineState); if (popOffset === -1) { // tokenization will not leave nested mode var nestedEndState = tokensCollector.nestedModeTokenize(line, lineState.embeddedModeData, offsetDelta); return MonarchLineStateFactory.create(lineState.stack, new EmbeddedModeData(lineState.embeddedModeData.modeId, nestedEndState)); } var nestedModeLine = line.substring(0, popOffset); if (nestedModeLine.length > 0) { // tokenize with the nested mode tokensCollector.nestedModeTokenize(nestedModeLine, lineState.embeddedModeData, offsetDelta); } var restOfTheLine = line.substring(popOffset); return this._myTokenize(restOfTheLine, lineState, offsetDelta + popOffset, tokensCollector); }; MonarchTokenizer.prototype._safeRuleName = function (rule) { if (rule) { return rule.name; } return '(unknown)'; }; MonarchTokenizer.prototype._myTokenize = function (line, lineState, offsetDelta, tokensCollector) { tokensCollector.enterMode(offsetDelta, this._modeId); var lineLength = line.length; var embeddedModeData = lineState.embeddedModeData; var stack = lineState.stack; var pos = 0; var groupMatching = null; // See https://github.com/Microsoft/monaco-editor/issues/1235: // Evaluate rules at least once for an empty line var forceEvaluation = true; while (forceEvaluation || pos < lineLength) { var pos0 = pos; var stackLen0 = stack.depth; var groupLen0 = groupMatching ? groupMatching.groups.length : 0; var state = stack.state; var matches = null; var matched = null; var action = null; var rule = null; var enteringEmbeddedMode = null; // check if we need to process group matches first if (groupMatching) { matches = groupMatching.matches; var groupEntry = groupMatching.groups.shift(); matched = groupEntry.matched; action = groupEntry.action; rule = groupMatching.rule; // cleanup if necessary if (groupMatching.groups.length === 0) { groupMatching = null; } } else { // otherwise we match on the token stream if (!forceEvaluation && pos >= lineLength) { // nothing to do break; } forceEvaluation = false; // get the rules for this state var rules = this._lexer.tokenizer[state]; if (!rules) { rules = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["c" /* findRules */](this._lexer, state); // do parent matching if (!rules) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'tokenizer state is not defined: ' + state); } } // try each rule until we match var restOfLine = line.substr(pos); for (var idx in rules) { if (hasOwnProperty.call(rules, idx)) { var rule_1 = rules[idx]; if (pos === 0 || !rule_1.matchOnlyAtLineStart) { matches = restOfLine.match(rule_1.regex); if (matches) { matched = matches[0]; action = rule_1.action; break; } } } } } // We matched 'rule' with 'matches' and 'action' if (!matches) { matches = ['']; matched = ''; } if (!action) { // bad: we didn't match anything, and there is no action to take // we need to advance the stream or we get progress trouble if (pos < lineLength) { matches = [line.charAt(pos)]; matched = matches[0]; } action = this._lexer.defaultToken; } if (matched === null) { // should never happen, needed for strict null checking break; } // advance stream pos += matched.length; // maybe call action function (used for 'cases') while (__WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["e" /* isFuzzyAction */](action) && __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["f" /* isIAction */](action) && action.test) { action = action.test(matched, matches, state, pos === lineLength); } var result = null; // set the result: either a string or an array of actions if (typeof action === 'string' || Array.isArray(action)) { result = action; } else if (action.group) { result = action.group; } else if (action.token !== null && action.token !== undefined) { // do $n replacements? if (action.tokenSubst) { result = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["k" /* substituteMatches */](this._lexer, action.token, matched, matches, state); } else { result = action.token; } // enter embedded mode? if (action.nextEmbedded) { if (action.nextEmbedded === '@pop') { if (!embeddedModeData) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'cannot pop embedded mode if not inside one'); } embeddedModeData = null; } else if (embeddedModeData) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'cannot enter embedded mode from within an embedded mode'); } else { enteringEmbeddedMode = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["k" /* substituteMatches */](this._lexer, action.nextEmbedded, matched, matches, state); } } // state transformations if (action.goBack) { // back up the stream.. pos = Math.max(0, pos - action.goBack); } if (action.switchTo && typeof action.switchTo === 'string') { var nextState = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["k" /* substituteMatches */](this._lexer, action.switchTo, matched, matches, state); // switch state without a push... if (nextState[0] === '@') { nextState = nextState.substr(1); // peel off starting '@' } if (!__WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["c" /* findRules */](this._lexer, nextState)) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'trying to switch to a state \'' + nextState + '\' that is undefined in rule: ' + this._safeRuleName(rule)); } else { stack = stack.switchTo(nextState); } } else if (action.transform && typeof action.transform === 'function') { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'action.transform not supported'); } else if (action.next) { if (action.next === '@push') { if (stack.depth >= this._lexer.maxStack) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'maximum tokenizer stack size reached: [' + stack.state + ',' + stack.parent.state + ',...]'); } else { stack = stack.push(state); } } else if (action.next === '@pop') { if (stack.depth <= 1) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'trying to pop an empty stack in rule: ' + this._safeRuleName(rule)); } else { stack = stack.pop(); } } else if (action.next === '@popall') { stack = stack.popall(); } else { var nextState = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["k" /* substituteMatches */](this._lexer, action.next, matched, matches, state); if (nextState[0] === '@') { nextState = nextState.substr(1); // peel off starting '@' } if (!__WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["c" /* findRules */](this._lexer, nextState)) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'trying to set a next state \'' + nextState + '\' that is undefined in rule: ' + this._safeRuleName(rule)); } else { stack = stack.push(nextState); } } } if (action.log && typeof (action.log) === 'string') { __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["h" /* log */](this._lexer, this._lexer.languageId + ': ' + __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["k" /* substituteMatches */](this._lexer, action.log, matched, matches, state)); } } // check result if (result === null) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'lexer rule has no well-defined action in rule: ' + this._safeRuleName(rule)); } // is the result a group match? if (Array.isArray(result)) { if (groupMatching && groupMatching.groups.length > 0) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'groups cannot be nested: ' + this._safeRuleName(rule)); } if (matches.length !== result.length + 1) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'matched number of groups does not match the number of actions in rule: ' + this._safeRuleName(rule)); } var totalLen = 0; for (var i = 1; i < matches.length; i++) { totalLen += matches[i].length; } if (totalLen !== matched.length) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'with groups, all characters should be matched in consecutive groups in rule: ' + this._safeRuleName(rule)); } groupMatching = { rule: rule, matches: matches, groups: [] }; for (var i = 0; i < result.length; i++) { groupMatching.groups[i] = { action: result[i], matched: matches[i + 1] }; } pos -= matched.length; // call recursively to initiate first result match continue; } else { // regular result // check for '@rematch' if (result === '@rematch') { pos -= matched.length; matched = ''; // better set the next state too.. matches = null; result = ''; } // check progress if (matched.length === 0) { if (lineLength === 0 || stackLen0 !== stack.depth || state !== stack.state || (!groupMatching ? 0 : groupMatching.groups.length) !== groupLen0) { continue; } else { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, 'no progress in tokenizer in rule: ' + this._safeRuleName(rule)); } } // return the result (and check for brace matching) // todo: for efficiency we could pre-sanitize tokenPostfix and substitutions var tokenType = null; if (__WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["g" /* isString */](result) && result.indexOf('@brackets') === 0) { var rest = result.substr('@brackets'.length); var bracket = findBracket(this._lexer, matched); if (!bracket) { throw __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["a" /* createError */](this._lexer, '@brackets token returned but no bracket defined as: ' + matched); } tokenType = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["i" /* sanitize */](bracket.token + rest); } else { var token = (result === '' ? '' : result + this._lexer.tokenPostfix); tokenType = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["i" /* sanitize */](token); } tokensCollector.emit(pos0 + offsetDelta, tokenType); } if (enteringEmbeddedMode !== null) { // substitute language alias to known modes to support syntax highlighting var enteringEmbeddedModeId = this._modeService.getModeIdForLanguageName(enteringEmbeddedMode); if (enteringEmbeddedModeId) { enteringEmbeddedMode = enteringEmbeddedModeId; } var embeddedModeData_1 = this._getNestedEmbeddedModeData(enteringEmbeddedMode); if (pos < lineLength) { // there is content from the embedded mode on this line var restOfLine = line.substr(pos); return this._nestedTokenize(restOfLine, MonarchLineStateFactory.create(stack, embeddedModeData_1), offsetDelta + pos, tokensCollector); } else { return MonarchLineStateFactory.create(stack, embeddedModeData_1); } } } return MonarchLineStateFactory.create(stack, embeddedModeData); }; MonarchTokenizer.prototype._getNestedEmbeddedModeData = function (mimetypeOrModeId) { var nestedModeId = this._locateMode(mimetypeOrModeId); if (nestedModeId) { var tokenizationSupport = __WEBPACK_IMPORTED_MODULE_1__common_modes_js__["v" /* TokenizationRegistry */].get(nestedModeId); if (tokenizationSupport) { return new EmbeddedModeData(nestedModeId, tokenizationSupport.getInitialState()); } } return new EmbeddedModeData(nestedModeId || __WEBPACK_IMPORTED_MODULE_2__common_modes_nullMode_js__["b" /* NULL_MODE_ID */], __WEBPACK_IMPORTED_MODULE_2__common_modes_nullMode_js__["c" /* NULL_STATE */]); }; MonarchTokenizer.prototype._locateMode = function (mimetypeOrModeId) { if (!mimetypeOrModeId || !this._modeService.isRegisteredMode(mimetypeOrModeId)) { return null; } var modeId = this._modeService.getModeId(mimetypeOrModeId); if (modeId) { // Fire mode loading event this._modeService.triggerMode(modeId); this._embeddedModes[modeId] = true; } return modeId; }; return MonarchTokenizer; }()); /** * Searches for a bracket in the 'brackets' attribute that matches the input. */ function findBracket(lexer, matched) { if (!matched) { return null; } matched = __WEBPACK_IMPORTED_MODULE_3__monarchCommon_js__["d" /* fixCase */](lexer, matched); var brackets = lexer.brackets; for (var _i = 0, brackets_1 = brackets; _i < brackets_1.length; _i++) { var bracket = brackets_1[_i]; if (bracket.open === matched) { return { token: bracket.token, bracketType: 1 /* Open */ }; } else if (bracket.close === matched) { return { token: bracket.token, bracketType: -1 /* Close */ }; } } return null; } function createTokenizationSupport(modeService, standaloneThemeService, modeId, lexer) { return new MonarchTokenizer(modeService, standaloneThemeService, modeId, lexer); } /***/ }), /***/ 1690: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export isFuzzyActionArr */ /* harmony export (immutable) */ __webpack_exports__["e"] = isFuzzyAction; /* harmony export (immutable) */ __webpack_exports__["g"] = isString; /* harmony export (immutable) */ __webpack_exports__["f"] = isIAction; /* harmony export (immutable) */ __webpack_exports__["b"] = empty; /* harmony export (immutable) */ __webpack_exports__["d"] = fixCase; /* harmony export (immutable) */ __webpack_exports__["i"] = sanitize; /* harmony export (immutable) */ __webpack_exports__["h"] = log; /* harmony export (immutable) */ __webpack_exports__["a"] = createError; /* harmony export (immutable) */ __webpack_exports__["k"] = substituteMatches; /* harmony export (immutable) */ __webpack_exports__["c"] = findRules; /* harmony export (immutable) */ __webpack_exports__["j"] = stateExists; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function isFuzzyActionArr(what) { return (Array.isArray(what)); } function isFuzzyAction(what) { return !isFuzzyActionArr(what); } function isString(what) { return (typeof what === 'string'); } function isIAction(what) { return !isString(what); } // Small helper functions /** * Is a string null, undefined, or empty? */ function empty(s) { return (s ? false : true); } /** * Puts a string to lower case if 'ignoreCase' is set. */ function fixCase(lexer, str) { return (lexer.ignoreCase && str ? str.toLowerCase() : str); } /** * Ensures there are no bad characters in a CSS token class. */ function sanitize(s) { return s.replace(/[&<>'"_]/g, '-'); // used on all output token CSS classes } // Logging /** * Logs a message. */ function log(lexer, msg) { console.log(lexer.languageId + ": " + msg); } // Throwing errors function createError(lexer, msg) { return new Error(lexer.languageId + ": " + msg); } // Helper functions for rule finding and substitution /** * substituteMatches is used on lexer strings and can substitutes predefined patterns: * $$ => $ * $# => id * $n => matched entry n * @attr => contents of lexer[attr] * * See documentation for more info */ function substituteMatches(lexer, str, id, matches, state) { var re = /\$((\$)|(#)|(\d\d?)|[sS](\d\d?)|@(\w+))/g; var stateMatches = null; return str.replace(re, function (full, sub, dollar, hash, n, s, attr, ofs, total) { if (!empty(dollar)) { return '$'; // $$ } if (!empty(hash)) { return fixCase(lexer, id); // default $# } if (!empty(n) && n < matches.length) { return fixCase(lexer, matches[n]); // $n } if (!empty(attr) && lexer && typeof (lexer[attr]) === 'string') { return lexer[attr]; //@attribute } if (stateMatches === null) { // split state on demand stateMatches = state.split('.'); stateMatches.unshift(state); } if (!empty(s) && s < stateMatches.length) { return fixCase(lexer, stateMatches[s]); //$Sn } return ''; }); } /** * Find the tokenizer rules for a specific state (i.e. next action) */ function findRules(lexer, inState) { var state = inState; while (state && state.length > 0) { var rules = lexer.tokenizer[state]; if (rules) { return rules; } var idx = state.lastIndexOf('.'); if (idx < 0) { state = null; // no further parent } else { state = state.substr(0, idx); } } return null; } /** * Is a certain state defined? In contrast to 'findRules' this works on a ILexerMin. * This is used during compilation where we may know the defined states * but not yet whether the corresponding rules are correct. */ function stateExists(lexer, inState) { var state = inState; while (state && state.length > 0) { var exist = lexer.stateNames[state]; if (exist) { return true; } var idx = state.lastIndexOf('.'); if (idx < 0) { state = null; // no further parent } else { state = state.substr(0, idx); } } return false; } /***/ }), /***/ 1691: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export TabFocus */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CommonEditorConfiguration; }); /* harmony export (immutable) */ __webpack_exports__["c"] = isEditorConfigurationKey; /* harmony export (immutable) */ __webpack_exports__["b"] = isDiffEditorConfigurationKey; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__editorZoom_js__ = __webpack_require__(1563); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__fontInfo_js__ = __webpack_require__(1562); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__platform_configuration_common_configurationRegistry_js__ = __webpack_require__(1395); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__platform_registry_common_platform_js__ = __webpack_require__(1203); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var EDITOR_DEFAULTS = __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["a" /* EDITOR_DEFAULTS */]; var EDITOR_FONT_DEFAULTS = __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["b" /* EDITOR_FONT_DEFAULTS */]; var EDITOR_MODEL_DEFAULTS = __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */]; var TabFocus = new /** @class */ (function () { function class_1() { this._tabFocus = false; this._onDidChangeTabFocus = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this.onDidChangeTabFocus = this._onDidChangeTabFocus.event; } class_1.prototype.getTabFocusMode = function () { return this._tabFocus; }; class_1.prototype.setTabFocusMode = function (tabFocusMode) { if (this._tabFocus === tabFocusMode) { return; } this._tabFocus = tabFocusMode; this._onDidChangeTabFocus.fire(this._tabFocus); }; return class_1; }()); var hasOwnProperty = Object.hasOwnProperty; var CommonEditorConfiguration = /** @class */ (function (_super) { __extends(CommonEditorConfiguration, _super); function CommonEditorConfiguration(options) { var _this = _super.call(this) || this; _this._onDidChange = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChange = _this._onDidChange.event; // Do a "deep clone of sorts" on the incoming options _this._rawOptions = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */]({}, options || {}); _this._rawOptions.scrollbar = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */]({}, _this._rawOptions.scrollbar || {}); _this._rawOptions.minimap = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */]({}, _this._rawOptions.minimap || {}); _this._rawOptions.find = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */]({}, _this._rawOptions.find || {}); _this._rawOptions.hover = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */]({}, _this._rawOptions.hover || {}); _this._rawOptions.parameterHints = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */]({}, _this._rawOptions.parameterHints || {}); _this._validatedOptions = __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["d" /* EditorOptionsValidator */].validate(_this._rawOptions, EDITOR_DEFAULTS); _this._isDominatedByLongLines = false; _this._lineNumbersDigitCount = 1; _this._register(__WEBPACK_IMPORTED_MODULE_6__editorZoom_js__["a" /* EditorZoom */].onDidChangeZoomLevel(function (_) { return _this._recomputeOptions(); })); _this._register(TabFocus.onDidChangeTabFocus(function (_) { return _this._recomputeOptions(); })); return _this; } CommonEditorConfiguration.prototype.observeReferenceElement = function (dimension) { }; CommonEditorConfiguration.prototype.dispose = function () { _super.prototype.dispose.call(this); }; CommonEditorConfiguration.prototype._recomputeOptions = function () { var oldOptions = this.editor; var newOptions = this._computeInternalOptions(); if (oldOptions && oldOptions.equals(newOptions)) { return; } this.editor = newOptions; if (oldOptions) { this._onDidChange.fire(oldOptions.createChangeEvent(newOptions)); } }; CommonEditorConfiguration.prototype.getRawOptions = function () { return this._rawOptions; }; CommonEditorConfiguration.prototype._computeInternalOptions = function () { var opts = this._validatedOptions; var partialEnv = this._getEnvConfiguration(); var bareFontInfo = __WEBPACK_IMPORTED_MODULE_7__fontInfo_js__["a" /* BareFontInfo */].createFromRawSettings(this._rawOptions, partialEnv.zoomLevel); var env = { outerWidth: partialEnv.outerWidth, outerHeight: partialEnv.outerHeight, fontInfo: this.readConfiguration(bareFontInfo), extraEditorClassName: partialEnv.extraEditorClassName, isDominatedByLongLines: this._isDominatedByLongLines, lineNumbersDigitCount: this._lineNumbersDigitCount, emptySelectionClipboard: partialEnv.emptySelectionClipboard, pixelRatio: partialEnv.pixelRatio, tabFocusMode: TabFocus.getTabFocusMode(), accessibilitySupport: partialEnv.accessibilitySupport }; return __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["f" /* InternalEditorOptionsFactory */].createInternalEditorOptions(env, opts); }; CommonEditorConfiguration._primitiveArrayEquals = function (a, b) { if (a.length !== b.length) { return false; } for (var i = 0; i < a.length; i++) { if (a[i] !== b[i]) { return false; } } return true; }; CommonEditorConfiguration._subsetEquals = function (base, subset) { for (var key in subset) { if (hasOwnProperty.call(subset, key)) { var subsetValue = subset[key]; var baseValue = base[key]; if (baseValue === subsetValue) { continue; } if (Array.isArray(baseValue) && Array.isArray(subsetValue)) { if (!this._primitiveArrayEquals(baseValue, subsetValue)) { return false; } continue; } if (typeof baseValue === 'object' && typeof subsetValue === 'object') { if (!this._subsetEquals(baseValue, subsetValue)) { return false; } continue; } return false; } } return true; }; CommonEditorConfiguration.prototype.updateOptions = function (newOptions) { if (typeof newOptions === 'undefined') { return; } if (CommonEditorConfiguration._subsetEquals(this._rawOptions, newOptions)) { return; } this._rawOptions = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */](this._rawOptions, newOptions || {}); this._validatedOptions = __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["d" /* EditorOptionsValidator */].validate(this._rawOptions, EDITOR_DEFAULTS); this._recomputeOptions(); }; CommonEditorConfiguration.prototype.setIsDominatedByLongLines = function (isDominatedByLongLines) { this._isDominatedByLongLines = isDominatedByLongLines; this._recomputeOptions(); }; CommonEditorConfiguration.prototype.setMaxLineNumber = function (maxLineNumber) { var digitCount = CommonEditorConfiguration._digitCount(maxLineNumber); if (this._lineNumbersDigitCount === digitCount) { return; } this._lineNumbersDigitCount = digitCount; this._recomputeOptions(); }; CommonEditorConfiguration._digitCount = function (n) { var r = 0; while (n) { n = Math.floor(n / 10); r++; } return r ? r : 1; }; return CommonEditorConfiguration; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); var configurationRegistry = __WEBPACK_IMPORTED_MODULE_9__platform_registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_8__platform_configuration_common_configurationRegistry_js__["a" /* Extensions */].Configuration); var editorConfiguration = { 'id': 'editor', 'order': 5, 'type': 'object', 'title': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorConfigurationTitle', "Editor"), 'overridable': true, 'scope': 3 /* RESOURCE */, 'properties': { 'editor.fontFamily': { 'type': 'string', 'default': EDITOR_FONT_DEFAULTS.fontFamily, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('fontFamily', "Controls the font family.") }, 'editor.fontWeight': { 'type': 'string', 'enum': ['normal', 'bold', '100', '200', '300', '400', '500', '600', '700', '800', '900'], 'default': EDITOR_FONT_DEFAULTS.fontWeight, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('fontWeight', "Controls the font weight.") }, 'editor.fontSize': { 'type': 'number', 'default': EDITOR_FONT_DEFAULTS.fontSize, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('fontSize', "Controls the font size in pixels.") }, 'editor.lineHeight': { 'type': 'number', 'default': EDITOR_FONT_DEFAULTS.lineHeight, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineHeight', "Controls the line height. Use 0 to compute the line height from the font size.") }, 'editor.letterSpacing': { 'type': 'number', 'default': EDITOR_FONT_DEFAULTS.letterSpacing, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('letterSpacing', "Controls the letter spacing in pixels.") }, 'editor.lineNumbers': { 'type': 'string', 'enum': ['off', 'on', 'relative', 'interval'], 'enumDescriptions': [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineNumbers.off', "Line numbers are not rendered."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineNumbers.on', "Line numbers are rendered as absolute number."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineNumbers.relative', "Line numbers are rendered as distance in lines to cursor position."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineNumbers.interval', "Line numbers are rendered every 10 lines.") ], 'default': 'on', 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('lineNumbers', "Controls the display of line numbers.") }, 'editor.renderFinalNewline': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.renderFinalNewline, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderFinalNewline', "Render last line number when the file ends with a newline.") }, 'editor.rulers': { 'type': 'array', 'items': { 'type': 'number' }, 'default': EDITOR_DEFAULTS.viewInfo.rulers, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('rulers', "Render vertical rulers after a certain number of monospace characters. Use multiple values for multiple rulers. No rulers are drawn if array is empty.") }, 'editor.wordSeparators': { 'type': 'string', 'default': EDITOR_DEFAULTS.wordSeparators, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wordSeparators', "Characters that will be used as word separators when doing word related navigations or operations.") }, 'editor.tabSize': { 'type': 'number', 'default': EDITOR_MODEL_DEFAULTS.tabSize, 'minimum': 1, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('tabSize', "The number of spaces a tab is equal to. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.") }, // 'editor.indentSize': { // 'anyOf': [ // { // 'type': 'string', // 'enum': ['tabSize'] // }, // { // 'type': 'number', // 'minimum': 1 // } // ], // 'default': 'tabSize', // 'markdownDescription': nls.localize('indentSize', "The number of spaces used for indentation or 'tabSize' to use the value from `#editor.tabSize#`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.") // }, 'editor.insertSpaces': { 'type': 'boolean', 'default': EDITOR_MODEL_DEFAULTS.insertSpaces, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('insertSpaces', "Insert spaces when pressing `Tab`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.") }, 'editor.detectIndentation': { 'type': 'boolean', 'default': EDITOR_MODEL_DEFAULTS.detectIndentation, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('detectIndentation', "Controls whether `#editor.tabSize#` and `#editor.insertSpaces#` will be automatically detected when a file is opened based on the file contents.") }, 'editor.roundedSelection': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.roundedSelection, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('roundedSelection', "Controls whether selections should have rounded corners.") }, 'editor.scrollBeyondLastLine': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.scrollBeyondLastLine, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('scrollBeyondLastLine', "Controls whether the editor will scroll beyond the last line.") }, 'editor.scrollBeyondLastColumn': { 'type': 'number', 'default': EDITOR_DEFAULTS.viewInfo.scrollBeyondLastColumn, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('scrollBeyondLastColumn', "Controls the number of extra characters beyond which the editor will scroll horizontally.") }, 'editor.smoothScrolling': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.smoothScrolling, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('smoothScrolling', "Controls whether the editor will scroll using an animation.") }, 'editor.minimap.enabled': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.minimap.enabled, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('minimap.enabled', "Controls whether the minimap is shown.") }, 'editor.minimap.side': { 'type': 'string', 'enum': ['left', 'right'], 'default': EDITOR_DEFAULTS.viewInfo.minimap.side, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('minimap.side', "Controls the side where to render the minimap.") }, 'editor.minimap.showSlider': { 'type': 'string', 'enum': ['always', 'mouseover'], 'default': EDITOR_DEFAULTS.viewInfo.minimap.showSlider, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('minimap.showSlider', "Controls whether the minimap slider is automatically hidden.") }, 'editor.minimap.renderCharacters': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.minimap.renderCharacters, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('minimap.renderCharacters', "Render the actual characters on a line as opposed to color blocks.") }, 'editor.minimap.maxColumn': { 'type': 'number', 'default': EDITOR_DEFAULTS.viewInfo.minimap.maxColumn, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('minimap.maxColumn', "Limit the width of the minimap to render at most a certain number of columns.") }, 'editor.hover.enabled': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.hover.enabled, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('hover.enabled', "Controls whether the hover is shown.") }, 'editor.hover.delay': { 'type': 'number', 'default': EDITOR_DEFAULTS.contribInfo.hover.delay, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('hover.delay', "Controls the delay in milliseconds after which the hover is shown.") }, 'editor.hover.sticky': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.hover.sticky, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('hover.sticky', "Controls whether the hover should remain visible when mouse is moved over it.") }, 'editor.find.seedSearchStringFromSelection': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.find.seedSearchStringFromSelection, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('find.seedSearchStringFromSelection', "Controls whether the search string in the Find Widget is seeded from the editor selection.") }, 'editor.find.autoFindInSelection': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.find.autoFindInSelection, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('find.autoFindInSelection', "Controls whether the find operation is carried out on selected text or the entire file in the editor.") }, 'editor.find.globalFindClipboard': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.find.globalFindClipboard, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('find.globalFindClipboard', "Controls whether the Find Widget should read or modify the shared find clipboard on macOS."), 'included': __WEBPACK_IMPORTED_MODULE_4__base_common_platform_js__["d" /* isMacintosh */] }, 'editor.find.addExtraSpaceOnTop': { 'type': 'boolean', 'default': true, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('find.addExtraSpaceOnTop', "Controls whether the Find Widget should add extra lines on top of the editor. When true, you can scroll beyond the first line when the Find Widget is visible.") }, 'editor.wordWrap': { 'type': 'string', 'enum': ['off', 'on', 'wordWrapColumn', 'bounded'], 'markdownEnumDescriptions': [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wordWrap.off', "Lines will never wrap."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wordWrap.on', "Lines will wrap at the viewport width."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'wordWrap.wordWrapColumn', comment: [ '- `editor.wordWrapColumn` refers to a different setting and should not be localized.' ] }, "Lines will wrap at `#editor.wordWrapColumn#`."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'wordWrap.bounded', comment: [ '- viewport means the edge of the visible window size.', '- `editor.wordWrapColumn` refers to a different setting and should not be localized.' ] }, "Lines will wrap at the minimum of viewport and `#editor.wordWrapColumn#`."), ], 'default': EDITOR_DEFAULTS.wordWrap, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'wordWrap', comment: [ '- \'off\', \'on\', \'wordWrapColumn\' and \'bounded\' refer to values the setting can take and should not be localized.', '- `editor.wordWrapColumn` refers to a different setting and should not be localized.' ] }, "Controls how lines should wrap.") }, 'editor.wordWrapColumn': { 'type': 'integer', 'default': EDITOR_DEFAULTS.wordWrapColumn, 'minimum': 1, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'wordWrapColumn', comment: [ '- `editor.wordWrap` refers to a different setting and should not be localized.', '- \'wordWrapColumn\' and \'bounded\' refer to values the different setting can take and should not be localized.' ] }, "Controls the wrapping column of the editor when `#editor.wordWrap#` is `wordWrapColumn` or `bounded`.") }, 'editor.wrappingIndent': { 'type': 'string', 'enum': ['none', 'same', 'indent', 'deepIndent'], enumDescriptions: [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wrappingIndent.none', "No indentation. Wrapped lines begin at column 1."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wrappingIndent.same', "Wrapped lines get the same indentation as the parent."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wrappingIndent.indent', "Wrapped lines get +1 indentation toward the parent."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wrappingIndent.deepIndent', "Wrapped lines get +2 indentation toward the parent."), ], 'default': 'same', 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wrappingIndent', "Controls the indentation of wrapped lines."), }, 'editor.mouseWheelScrollSensitivity': { 'type': 'number', 'default': EDITOR_DEFAULTS.viewInfo.scrollbar.mouseWheelScrollSensitivity, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('mouseWheelScrollSensitivity', "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.") }, 'editor.fastScrollSensitivity': { 'type': 'number', 'default': EDITOR_DEFAULTS.viewInfo.scrollbar.fastScrollSensitivity, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('fastScrollSensitivity', "Scrolling speed mulitiplier when pressing `Alt`.") }, 'editor.multiCursorModifier': { 'type': 'string', 'enum': ['ctrlCmd', 'alt'], 'markdownEnumDescriptions': [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('multiCursorModifier.ctrlCmd', "Maps to `Control` on Windows and Linux and to `Command` on macOS."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('multiCursorModifier.alt', "Maps to `Alt` on Windows and Linux and to `Option` on macOS.") ], 'default': 'alt', 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'multiCursorModifier', comment: [ '- `ctrlCmd` refers to a value the setting can take and should not be localized.', '- `Control` and `Command` refer to the modifier keys Ctrl or Cmd on the keyboard and can be localized.' ] }, "The modifier to be used to add multiple cursors with the mouse. The Go To Definition and Open Link mouse gestures will adapt such that they do not conflict with the multicursor modifier. [Read more](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).") }, 'editor.multiCursorMergeOverlapping': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.multiCursorMergeOverlapping, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('multiCursorMergeOverlapping', "Merge multiple cursors when they are overlapping.") }, 'editor.quickSuggestions': { 'anyOf': [ { type: 'boolean', }, { type: 'object', properties: { strings: { type: 'boolean', default: false, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('quickSuggestions.strings', "Enable quick suggestions inside strings.") }, comments: { type: 'boolean', default: false, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('quickSuggestions.comments', "Enable quick suggestions inside comments.") }, other: { type: 'boolean', default: true, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('quickSuggestions.other', "Enable quick suggestions outside of strings and comments.") }, } } ], 'default': EDITOR_DEFAULTS.contribInfo.quickSuggestions, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('quickSuggestions', "Controls whether suggestions should automatically show up while typing.") }, 'editor.quickSuggestionsDelay': { 'type': 'integer', 'default': EDITOR_DEFAULTS.contribInfo.quickSuggestionsDelay, 'minimum': 0, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('quickSuggestionsDelay', "Controls the delay in milliseconds after which quick suggestions will show up.") }, 'editor.parameterHints.enabled': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.parameterHints.enabled, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('parameterHints.enabled', "Enables a pop-up that shows parameter documentation and type information as you type.") }, 'editor.parameterHints.cycle': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.parameterHints.cycle, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('parameterHints.cycle', "Controls whether the parameter hints menu cycles or closes when reaching the end of the list.") }, 'editor.autoClosingBrackets': { type: 'string', enum: ['always', 'languageDefined', 'beforeWhitespace', 'never'], enumDescriptions: [ '', __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoClosingBrackets.languageDefined', "Use language configurations to determine when to autoclose brackets."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoClosingBrackets.beforeWhitespace', "Autoclose brackets only when the cursor is to the left of whitespace."), '', ], 'default': EDITOR_DEFAULTS.autoClosingBrackets, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('autoClosingBrackets', "Controls whether the editor should automatically close brackets after the user adds an opening bracket.") }, 'editor.autoClosingQuotes': { type: 'string', enum: ['always', 'languageDefined', 'beforeWhitespace', 'never'], enumDescriptions: [ '', __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoClosingQuotes.languageDefined', "Use language configurations to determine when to autoclose quotes."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoClosingQuotes.beforeWhitespace', "Autoclose quotes only when the cursor is to the left of whitespace."), '', ], 'default': EDITOR_DEFAULTS.autoClosingQuotes, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('autoClosingQuotes', "Controls whether the editor should automatically close quotes after the user adds an opening quote.") }, 'editor.autoSurround': { type: 'string', enum: ['languageDefined', 'brackets', 'quotes', 'never'], enumDescriptions: [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoSurround.languageDefined', "Use language configurations to determine when to automatically surround selections."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoSurround.brackets', "Surround with brackets but not quotes."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editor.autoSurround.quotes', "Surround with quotes but not brackets."), '' ], 'default': EDITOR_DEFAULTS.autoSurround, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('autoSurround', "Controls whether the editor should automatically surround selections.") }, 'editor.formatOnType': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.formatOnType, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('formatOnType', "Controls whether the editor should automatically format the line after typing.") }, 'editor.formatOnPaste': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.formatOnPaste, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('formatOnPaste', "Controls whether the editor should automatically format the pasted content. A formatter must be available and the formatter should be able to format a range in a document.") }, 'editor.autoIndent': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.autoIndent, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('autoIndent', "Controls whether the editor should automatically adjust the indentation when users type, paste or move lines. Extensions with indentation rules of the language must be available.") }, 'editor.suggestOnTriggerCharacters': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.suggestOnTriggerCharacters, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestOnTriggerCharacters', "Controls whether suggestions should automatically show up when typing trigger characters.") }, 'editor.acceptSuggestionOnEnter': { 'type': 'string', 'enum': ['on', 'smart', 'off'], 'default': EDITOR_DEFAULTS.contribInfo.acceptSuggestionOnEnter, 'markdownEnumDescriptions': [ '', __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('acceptSuggestionOnEnterSmart', "Only accept a suggestion with `Enter` when it makes a textual change."), '' ], 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('acceptSuggestionOnEnter', "Controls whether suggestions should be accepted on `Enter`, in addition to `Tab`. Helps to avoid ambiguity between inserting new lines or accepting suggestions.") }, 'editor.acceptSuggestionOnCommitCharacter': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.acceptSuggestionOnCommitCharacter, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('acceptSuggestionOnCommitCharacter', "Controls whether suggestions should be accepted on commit characters. For example, in JavaScript, the semi-colon (`;`) can be a commit character that accepts a suggestion and types that character.") }, 'editor.snippetSuggestions': { 'type': 'string', 'enum': ['top', 'bottom', 'inline', 'none'], 'enumDescriptions': [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('snippetSuggestions.top', "Show snippet suggestions on top of other suggestions."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('snippetSuggestions.bottom', "Show snippet suggestions below other suggestions."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('snippetSuggestions.inline', "Show snippets suggestions with other suggestions."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('snippetSuggestions.none', "Do not show snippet suggestions."), ], 'default': EDITOR_DEFAULTS.contribInfo.suggest.snippets, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('snippetSuggestions', "Controls whether snippets are shown with other suggestions and how they are sorted.") }, 'editor.emptySelectionClipboard': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.emptySelectionClipboard, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('emptySelectionClipboard', "Controls whether copying without a selection copies the current line.") }, 'editor.copyWithSyntaxHighlighting': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.copyWithSyntaxHighlighting, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('copyWithSyntaxHighlighting', "Controls whether syntax highlighting should be copied into the clipboard.") }, 'editor.wordBasedSuggestions': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.wordBasedSuggestions, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('wordBasedSuggestions', "Controls whether completions should be computed based on words in the document.") }, 'editor.suggestSelection': { 'type': 'string', 'enum': ['first', 'recentlyUsed', 'recentlyUsedByPrefix'], 'markdownEnumDescriptions': [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestSelection.first', "Always select the first suggestion."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestSelection.recentlyUsed', "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestSelection.recentlyUsedByPrefix', "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`."), ], 'default': 'recentlyUsed', 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestSelection', "Controls how suggestions are pre-selected when showing the suggest list.") }, 'editor.suggestFontSize': { 'type': 'integer', 'default': 0, 'minimum': 0, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestFontSize', "Font size for the suggest widget. When set to `0`, the value of `#editor.fontSize#` is used.") }, 'editor.suggestLineHeight': { 'type': 'integer', 'default': 0, 'minimum': 0, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggestLineHeight', "Line height for the suggest widget. When set to `0`, the value of `#editor.lineHeight#` is used.") }, 'editor.tabCompletion': { type: 'string', default: 'off', enum: ['on', 'off', 'onlySnippets'], enumDescriptions: [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('tabCompletion.on', "Tab complete will insert the best matching suggestion when pressing tab."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('tabCompletion.off', "Disable tab completions."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('tabCompletion.onlySnippets', "Tab complete snippets when their prefix match. Works best when 'quickSuggestions' aren't enabled."), ], description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('tabCompletion', "Enables tab completions.") }, 'editor.suggest.filterGraceful': { type: 'boolean', default: true, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggest.filterGraceful', "Controls whether filtering and sorting suggestions accounts for small typos.") }, 'editor.suggest.localityBonus': { type: 'boolean', default: false, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggest.localityBonus', "Controls whether sorting favours words that appear close to the cursor.") }, 'editor.suggest.shareSuggestSelections': { type: 'boolean', default: false, markdownDescription: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggest.shareSuggestSelections', "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).") }, 'editor.suggest.snippetsPreventQuickSuggestions': { type: 'boolean', default: true, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('suggest.snippetsPreventQuickSuggestions', "Control whether an active snippet prevents quick suggestions.") }, 'editor.selectionHighlight': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.selectionHighlight, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('selectionHighlight', "Controls whether the editor should highlight matches similar to the selection.") }, 'editor.occurrencesHighlight': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.occurrencesHighlight, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('occurrencesHighlight', "Controls whether the editor should highlight semantic symbol occurrences.") }, 'editor.overviewRulerLanes': { 'type': 'integer', 'default': 3, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('overviewRulerLanes', "Controls the number of decorations that can show up at the same position in the overview ruler.") }, 'editor.overviewRulerBorder': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.overviewRulerBorder, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('overviewRulerBorder', "Controls whether a border should be drawn around the overview ruler.") }, 'editor.cursorBlinking': { 'type': 'string', 'enum': ['blink', 'smooth', 'phase', 'expand', 'solid'], 'default': __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["h" /* blinkingStyleToString */](EDITOR_DEFAULTS.viewInfo.cursorBlinking), 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('cursorBlinking', "Control the cursor animation style.") }, 'editor.mouseWheelZoom': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.mouseWheelZoom, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('mouseWheelZoom', "Zoom the font of the editor when using mouse wheel and holding `Ctrl`.") }, 'editor.cursorSmoothCaretAnimation': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.cursorSmoothCaretAnimation, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('cursorSmoothCaretAnimation', "Controls whether the smooth caret animation should be enabled.") }, 'editor.cursorStyle': { 'type': 'string', 'enum': ['block', 'block-outline', 'line', 'line-thin', 'underline', 'underline-thin'], 'default': __WEBPACK_IMPORTED_MODULE_5__editorOptions_js__["i" /* cursorStyleToString */](EDITOR_DEFAULTS.viewInfo.cursorStyle), 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('cursorStyle', "Controls the cursor style.") }, 'editor.cursorWidth': { 'type': 'integer', 'default': EDITOR_DEFAULTS.viewInfo.cursorWidth, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('cursorWidth', "Controls the width of the cursor when `#editor.cursorStyle#` is set to `line`.") }, 'editor.fontLigatures': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.fontLigatures, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('fontLigatures', "Enables/Disables font ligatures.") }, 'editor.hideCursorInOverviewRuler': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.hideCursorInOverviewRuler, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('hideCursorInOverviewRuler', "Controls whether the cursor should be hidden in the overview ruler.") }, 'editor.renderWhitespace': { 'type': 'string', 'enum': ['none', 'boundary', 'all'], 'enumDescriptions': [ '', __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderWhiteSpace.boundary', "Render whitespace characters except for single spaces between words."), '' ], default: EDITOR_DEFAULTS.viewInfo.renderWhitespace, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderWhitespace', "Controls how the editor should render whitespace characters.") }, 'editor.renderControlCharacters': { 'type': 'boolean', default: EDITOR_DEFAULTS.viewInfo.renderControlCharacters, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderControlCharacters', "Controls whether the editor should render control characters.") }, 'editor.renderIndentGuides': { 'type': 'boolean', default: EDITOR_DEFAULTS.viewInfo.renderIndentGuides, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderIndentGuides', "Controls whether the editor should render indent guides.") }, 'editor.highlightActiveIndentGuide': { 'type': 'boolean', default: EDITOR_DEFAULTS.viewInfo.highlightActiveIndentGuide, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('highlightActiveIndentGuide', "Controls whether the editor should highlight the active indent guide.") }, 'editor.renderLineHighlight': { 'type': 'string', 'enum': ['none', 'gutter', 'line', 'all'], 'enumDescriptions': [ '', '', '', __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderLineHighlight.all', "Highlights both the gutter and the current line."), ], default: EDITOR_DEFAULTS.viewInfo.renderLineHighlight, description: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderLineHighlight', "Controls how the editor should render the current line highlight.") }, 'editor.codeLens': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.codeLens, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('codeLens', "Controls whether the editor shows CodeLens.") }, 'editor.folding': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.folding, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('folding', "Controls whether the editor has code folding enabled.") }, 'editor.foldingStrategy': { 'type': 'string', 'enum': ['auto', 'indentation'], 'default': EDITOR_DEFAULTS.contribInfo.foldingStrategy, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('foldingStrategy', "Controls the strategy for computing folding ranges. `auto` uses a language specific folding strategy, if available. `indentation` uses the indentation based folding strategy.") }, 'editor.showFoldingControls': { 'type': 'string', 'enum': ['always', 'mouseover'], 'default': EDITOR_DEFAULTS.contribInfo.showFoldingControls, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('showFoldingControls', "Controls whether the fold controls on the gutter are automatically hidden.") }, 'editor.matchBrackets': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.matchBrackets, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('matchBrackets', "Highlight matching brackets when one of them is selected.") }, 'editor.glyphMargin': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.viewInfo.glyphMargin, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('glyphMargin', "Controls whether the editor should render the vertical glyph margin. Glyph margin is mostly used for debugging.") }, 'editor.useTabStops': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.useTabStops, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('useTabStops', "Inserting and deleting whitespace follows tab stops.") }, 'editor.trimAutoWhitespace': { 'type': 'boolean', 'default': EDITOR_MODEL_DEFAULTS.trimAutoWhitespace, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('trimAutoWhitespace', "Remove trailing auto inserted whitespace.") }, 'editor.stablePeek': { 'type': 'boolean', 'default': false, 'markdownDescription': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('stablePeek', "Keep peek editors open even when double clicking their content or when hitting `Escape`.") }, 'editor.dragAndDrop': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.dragAndDrop, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('dragAndDrop', "Controls whether the editor should allow moving selections via drag and drop.") }, 'editor.accessibilitySupport': { 'type': 'string', 'enum': ['auto', 'on', 'off'], 'enumDescriptions': [ __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilitySupport.auto', "The editor will use platform APIs to detect when a Screen Reader is attached."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilitySupport.on', "The editor will be permanently optimized for usage with a Screen Reader."), __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilitySupport.off', "The editor will never be optimized for usage with a Screen Reader."), ], 'default': EDITOR_DEFAULTS.accessibilitySupport, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilitySupport', "Controls whether the editor should run in a mode where it is optimized for screen readers.") }, 'editor.showUnused': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.showUnused, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('showUnused', "Controls fading out of unused code.") }, 'editor.links': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.links, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('links', "Controls whether the editor should detect links and make them clickable.") }, 'editor.colorDecorators': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.colorDecorators, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('colorDecorators', "Controls whether the editor should render the inline color decorators and color picker.") }, 'editor.lightbulb.enabled': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.lightbulbEnabled, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('codeActions', "Enables the code action lightbulb in the editor.") }, 'editor.maxTokenizationLineLength': { 'type': 'integer', 'default': 20000, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('maxTokenizationLineLength', "Lines above this length will not be tokenized for performance reasons") }, 'editor.codeActionsOnSave': { 'type': 'object', 'properties': { 'source.organizeImports': { 'type': 'boolean', 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('codeActionsOnSave.organizeImports', "Controls whether organize imports action should be run on file save.") }, 'source.fixAll': { 'type': 'boolean', 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('codeActionsOnSave.fixAll', "Controls whether auto fix action should be run on file save.") } }, 'additionalProperties': { 'type': 'boolean' }, 'default': EDITOR_DEFAULTS.contribInfo.codeActionsOnSave, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('codeActionsOnSave', "Code action kinds to be run on save.") }, 'editor.codeActionsOnSaveTimeout': { 'type': 'number', 'default': EDITOR_DEFAULTS.contribInfo.codeActionsOnSaveTimeout, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('codeActionsOnSaveTimeout', "Timeout in milliseconds after which the code actions that are run on save are cancelled.") }, 'editor.selectionClipboard': { 'type': 'boolean', 'default': EDITOR_DEFAULTS.contribInfo.selectionClipboard, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('selectionClipboard', "Controls whether the Linux primary clipboard should be supported."), 'included': __WEBPACK_IMPORTED_MODULE_4__base_common_platform_js__["c" /* isLinux */] }, 'diffEditor.renderSideBySide': { 'type': 'boolean', 'default': true, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('sideBySide', "Controls whether the diff editor shows the diff side by side or inline.") }, 'diffEditor.ignoreTrimWhitespace': { 'type': 'boolean', 'default': true, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('ignoreTrimWhitespace', "Controls whether the diff editor shows changes in leading or trailing whitespace as diffs.") }, 'editor.largeFileOptimizations': { 'type': 'boolean', 'default': EDITOR_MODEL_DEFAULTS.largeFileOptimizations, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('largeFileOptimizations', "Special handling for large files to disable certain memory intensive features.") }, 'diffEditor.renderIndicators': { 'type': 'boolean', 'default': true, 'description': __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('renderIndicators', "Controls whether the diff editor shows +/- indicators for added/removed changes.") } } }; var cachedEditorConfigurationKeys = null; function getEditorConfigurationKeys() { if (cachedEditorConfigurationKeys === null) { cachedEditorConfigurationKeys = Object.create(null); Object.keys(editorConfiguration.properties).forEach(function (prop) { cachedEditorConfigurationKeys[prop] = true; }); } return cachedEditorConfigurationKeys; } function isEditorConfigurationKey(key) { var editorConfigurationKeys = getEditorConfigurationKeys(); return (editorConfigurationKeys["editor." + key] || false); } function isDiffEditorConfigurationKey(key) { var editorConfigurationKeys = getEditorConfigurationKeys(); return (editorConfigurationKeys["diffEditor." + key] || false); } configurationRegistry.registerConfiguration(editorConfiguration); /***/ }), /***/ 1692: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Extensions; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Extensions = { JSONContribution: 'base.contributions.json' }; function normalizeId(id) { if (id.length > 0 && id.charAt(id.length - 1) === '#') { return id.substring(0, id.length - 1); } return id; } var JSONContributionRegistry = /** @class */ (function () { function JSONContributionRegistry() { this._onDidChangeSchema = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this.schemasById = {}; } JSONContributionRegistry.prototype.registerSchema = function (uri, unresolvedSchemaContent) { this.schemasById[normalizeId(uri)] = unresolvedSchemaContent; this._onDidChangeSchema.fire(uri); }; JSONContributionRegistry.prototype.notifySchemaChanged = function (uri) { this._onDidChangeSchema.fire(uri); }; return JSONContributionRegistry; }()); var jsonContributionRegistry = new JSONContributionRegistry(); __WEBPACK_IMPORTED_MODULE_0__registry_common_platform_js__["a" /* Registry */].add(Extensions.JSONContribution, jsonContributionRegistry); /***/ }), /***/ 1693: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return KeybindingResolver; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__contextkey_common_contextkey_js__ = __webpack_require__(1091); var KeybindingResolver = /** @class */ (function () { function KeybindingResolver(defaultKeybindings, overrides) { this._defaultKeybindings = defaultKeybindings; this._defaultBoundCommands = new Map(); for (var i = 0, len = defaultKeybindings.length; i < len; i++) { var command = defaultKeybindings[i].command; if (command) { this._defaultBoundCommands.set(command, true); } } this._map = new Map(); this._lookupMap = new Map(); this._keybindings = KeybindingResolver.combine(defaultKeybindings, overrides); for (var i = 0, len = this._keybindings.length; i < len; i++) { var k = this._keybindings[i]; if (k.keypressParts.length === 0) { // unbound continue; } // TODO@chords this._addKeyPress(k.keypressParts[0], k); } } KeybindingResolver._isTargetedForRemoval = function (defaultKb, keypressFirstPart, keypressChordPart, command, when) { if (defaultKb.command !== command) { return false; } // TODO@chords if (keypressFirstPart && defaultKb.keypressParts[0] !== keypressFirstPart) { return false; } // TODO@chords if (keypressChordPart && defaultKb.keypressParts[1] !== keypressChordPart) { return false; } if (when) { if (!defaultKb.when) { return false; } if (!when.equals(defaultKb.when)) { return false; } } return true; }; /** * Looks for rules containing -command in `overrides` and removes them directly from `defaults`. */ KeybindingResolver.combine = function (defaults, rawOverrides) { defaults = defaults.slice(0); var overrides = []; for (var _i = 0, rawOverrides_1 = rawOverrides; _i < rawOverrides_1.length; _i++) { var override = rawOverrides_1[_i]; if (!override.command || override.command.length === 0 || override.command.charAt(0) !== '-') { overrides.push(override); continue; } var command = override.command.substr(1); // TODO@chords var keypressFirstPart = override.keypressParts[0]; var keypressChordPart = override.keypressParts[1]; var when = override.when; for (var j = defaults.length - 1; j >= 0; j--) { if (this._isTargetedForRemoval(defaults[j], keypressFirstPart, keypressChordPart, command, when)) { defaults.splice(j, 1); } } } return defaults.concat(overrides); }; KeybindingResolver.prototype._addKeyPress = function (keypress, item) { var conflicts = this._map.get(keypress); if (typeof conflicts === 'undefined') { // There is no conflict so far this._map.set(keypress, [item]); this._addToLookupMap(item); return; } for (var i = conflicts.length - 1; i >= 0; i--) { var conflict = conflicts[i]; if (conflict.command === item.command) { continue; } var conflictIsChord = (conflict.keypressParts.length > 1); var itemIsChord = (item.keypressParts.length > 1); // TODO@chords if (conflictIsChord && itemIsChord && conflict.keypressParts[1] !== item.keypressParts[1]) { // The conflict only shares the chord start with this command continue; } if (KeybindingResolver.whenIsEntirelyIncluded(conflict.when, item.when)) { // `item` completely overwrites `conflict` // Remove conflict from the lookupMap this._removeFromLookupMap(conflict); } } conflicts.push(item); this._addToLookupMap(item); }; KeybindingResolver.prototype._addToLookupMap = function (item) { if (!item.command) { return; } var arr = this._lookupMap.get(item.command); if (typeof arr === 'undefined') { arr = [item]; this._lookupMap.set(item.command, arr); } else { arr.push(item); } }; KeybindingResolver.prototype._removeFromLookupMap = function (item) { if (!item.command) { return; } var arr = this._lookupMap.get(item.command); if (typeof arr === 'undefined') { return; } for (var i = 0, len = arr.length; i < len; i++) { if (arr[i] === item) { arr.splice(i, 1); return; } } }; /** * Returns true if it is provable `a` implies `b`. * **Precondition**: Assumes `a` and `b` are normalized! */ KeybindingResolver.whenIsEntirelyIncluded = function (a, b) { if (!b) { return true; } if (!a) { return false; } var aExpressions = ((a instanceof __WEBPACK_IMPORTED_MODULE_0__contextkey_common_contextkey_js__["a" /* ContextKeyAndExpr */]) ? a.expr : [a]); var bExpressions = ((b instanceof __WEBPACK_IMPORTED_MODULE_0__contextkey_common_contextkey_js__["a" /* ContextKeyAndExpr */]) ? b.expr : [b]); var aIndex = 0; for (var _i = 0, bExpressions_1 = bExpressions; _i < bExpressions_1.length; _i++) { var bExpr = bExpressions_1[_i]; var bExprMatched = false; while (!bExprMatched && aIndex < aExpressions.length) { var aExpr = aExpressions[aIndex]; if (aExpr.equals(bExpr)) { bExprMatched = true; } aIndex++; } if (!bExprMatched) { return false; } } return true; }; KeybindingResolver.prototype.lookupPrimaryKeybinding = function (commandId) { var items = this._lookupMap.get(commandId); if (typeof items === 'undefined' || items.length === 0) { return null; } return items[items.length - 1]; }; KeybindingResolver.prototype.resolve = function (context, currentChord, keypress) { var lookupMap = null; if (currentChord !== null) { // Fetch all chord bindings for `currentChord` var candidates = this._map.get(currentChord); if (typeof candidates === 'undefined') { // No chords starting with `currentChord` return null; } lookupMap = []; for (var i = 0, len = candidates.length; i < len; i++) { var candidate = candidates[i]; // TODO@chords if (candidate.keypressParts[1] === keypress) { lookupMap.push(candidate); } } } else { var candidates = this._map.get(keypress); if (typeof candidates === 'undefined') { // No bindings with `keypress` return null; } lookupMap = candidates; } var result = this._findCommand(context, lookupMap); if (!result) { return null; } // TODO@chords if (currentChord === null && result.keypressParts.length > 1 && result.keypressParts[1] !== null) { return { enterChord: true, commandId: null, commandArgs: null, bubble: false }; } return { enterChord: false, commandId: result.command, commandArgs: result.commandArgs, bubble: result.bubble }; }; KeybindingResolver.prototype._findCommand = function (context, matches) { for (var i = matches.length - 1; i >= 0; i--) { var k = matches[i]; if (!KeybindingResolver.contextMatchesRules(context, k.when)) { continue; } return k; } return null; }; KeybindingResolver.contextMatchesRules = function (context, rules) { if (!rules) { return true; } return rules.evaluate(context); }; return KeybindingResolver; }()); /***/ }), /***/ 1694: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return KeybindingsRegistry; }); /* unused harmony export Extensions */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__ = __webpack_require__(1356); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__registry_common_platform_js__ = __webpack_require__(1203); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var KeybindingsRegistryImpl = /** @class */ (function () { function KeybindingsRegistryImpl() { this._coreKeybindings = []; this._extensionKeybindings = []; this._cachedMergedKeybindings = null; } /** * Take current platform into account and reduce to primary & secondary. */ KeybindingsRegistryImpl.bindToCurrentPlatform = function (kb) { if (__WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__["a" /* OS */] === 1 /* Windows */) { if (kb && kb.win) { return kb.win; } } else if (__WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__["a" /* OS */] === 2 /* Macintosh */) { if (kb && kb.mac) { return kb.mac; } } else { if (kb && kb.linux) { return kb.linux; } } return kb; }; KeybindingsRegistryImpl.prototype.registerKeybindingRule = function (rule) { var actualKb = KeybindingsRegistryImpl.bindToCurrentPlatform(rule); if (actualKb && actualKb.primary) { var kk = Object(__WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__["f" /* createKeybinding */])(actualKb.primary, __WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__["a" /* OS */]); if (kk) { this._registerDefaultKeybinding(kk, rule.id, undefined, rule.weight, 0, rule.when); } } if (actualKb && Array.isArray(actualKb.secondary)) { for (var i = 0, len = actualKb.secondary.length; i < len; i++) { var k = actualKb.secondary[i]; var kk = Object(__WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__["f" /* createKeybinding */])(k, __WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__["a" /* OS */]); if (kk) { this._registerDefaultKeybinding(kk, rule.id, undefined, rule.weight, -i - 1, rule.when); } } } }; KeybindingsRegistryImpl.prototype.registerCommandAndKeybindingRule = function (desc) { this.registerKeybindingRule(desc); __WEBPACK_IMPORTED_MODULE_2__commands_common_commands_js__["a" /* CommandsRegistry */].registerCommand(desc); }; KeybindingsRegistryImpl._mightProduceChar = function (keyCode) { if (keyCode >= 21 /* KEY_0 */ && keyCode <= 30 /* KEY_9 */) { return true; } if (keyCode >= 31 /* KEY_A */ && keyCode <= 56 /* KEY_Z */) { return true; } return (keyCode === 80 /* US_SEMICOLON */ || keyCode === 81 /* US_EQUAL */ || keyCode === 82 /* US_COMMA */ || keyCode === 83 /* US_MINUS */ || keyCode === 84 /* US_DOT */ || keyCode === 85 /* US_SLASH */ || keyCode === 86 /* US_BACKTICK */ || keyCode === 110 /* ABNT_C1 */ || keyCode === 111 /* ABNT_C2 */ || keyCode === 87 /* US_OPEN_SQUARE_BRACKET */ || keyCode === 88 /* US_BACKSLASH */ || keyCode === 89 /* US_CLOSE_SQUARE_BRACKET */ || keyCode === 90 /* US_QUOTE */ || keyCode === 91 /* OEM_8 */ || keyCode === 92 /* OEM_102 */); }; KeybindingsRegistryImpl.prototype._assertNoCtrlAlt = function (keybinding, commandId) { if (keybinding.ctrlKey && keybinding.altKey && !keybinding.metaKey) { if (KeybindingsRegistryImpl._mightProduceChar(keybinding.keyCode)) { console.warn('Ctrl+Alt+ keybindings should not be used by default under Windows. Offender: ', keybinding, ' for ', commandId); } } }; KeybindingsRegistryImpl.prototype._registerDefaultKeybinding = function (keybinding, commandId, commandArgs, weight1, weight2, when) { if (__WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__["a" /* OS */] === 1 /* Windows */) { this._assertNoCtrlAlt(keybinding.parts[0], commandId); } this._coreKeybindings.push({ keybinding: keybinding, command: commandId, commandArgs: commandArgs, when: when, weight1: weight1, weight2: weight2 }); this._cachedMergedKeybindings = null; }; KeybindingsRegistryImpl.prototype.getDefaultKeybindings = function () { if (!this._cachedMergedKeybindings) { this._cachedMergedKeybindings = [].concat(this._coreKeybindings).concat(this._extensionKeybindings); this._cachedMergedKeybindings.sort(sorter); } return this._cachedMergedKeybindings.slice(0); }; return KeybindingsRegistryImpl; }()); var KeybindingsRegistry = new KeybindingsRegistryImpl(); // Define extension point ids var Extensions = { EditorModes: 'platform.keybindingsRegistry' }; __WEBPACK_IMPORTED_MODULE_3__registry_common_platform_js__["a" /* Registry */].add(Extensions.EditorModes, KeybindingsRegistry); function sorter(a, b) { if (a.weight1 !== b.weight1) { return a.weight1 - b.weight1; } if (a.command < b.command) { return -1; } if (a.command > b.command) { return 1; } return a.weight2 - b.weight2; } /***/ }), /***/ 1695: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IWorkspaceContextService; }); /* unused harmony export IWorkspace */ /* unused harmony export IWorkspaceFolder */ /* unused harmony export Workspace */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return WorkspaceFolder; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_resources_js__ = __webpack_require__(1681); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_map_js__ = __webpack_require__(1304); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IWorkspaceContextService = Object(__WEBPACK_IMPORTED_MODULE_2__instantiation_common_instantiation_js__["c" /* createDecorator */])('contextService'); var IWorkspace; (function (IWorkspace) { function isIWorkspace(thing) { return thing && typeof thing === 'object' && typeof thing.id === 'string' && Array.isArray(thing.folders); } IWorkspace.isIWorkspace = isIWorkspace; })(IWorkspace || (IWorkspace = {})); var IWorkspaceFolder; (function (IWorkspaceFolder) { function isIWorkspaceFolder(thing) { return thing && typeof thing === 'object' && __WEBPACK_IMPORTED_MODULE_0__base_common_uri_js__["a" /* URI */].isUri(thing.uri) && typeof thing.name === 'string' && typeof thing.toResource === 'function'; } IWorkspaceFolder.isIWorkspaceFolder = isIWorkspaceFolder; })(IWorkspaceFolder || (IWorkspaceFolder = {})); var Workspace = /** @class */ (function () { function Workspace(_id, folders, _configuration) { if (folders === void 0) { folders = []; } if (_configuration === void 0) { _configuration = null; } this._id = _id; this._configuration = _configuration; this._foldersMap = __WEBPACK_IMPORTED_MODULE_3__base_common_map_js__["c" /* TernarySearchTree */].forPaths(); this.folders = folders; } Object.defineProperty(Workspace.prototype, "folders", { get: function () { return this._folders; }, set: function (folders) { this._folders = folders; this.updateFoldersMap(); }, enumerable: true, configurable: true }); Object.defineProperty(Workspace.prototype, "id", { get: function () { return this._id; }, enumerable: true, configurable: true }); Object.defineProperty(Workspace.prototype, "configuration", { get: function () { return this._configuration; }, set: function (configuration) { this._configuration = configuration; }, enumerable: true, configurable: true }); Workspace.prototype.getFolder = function (resource) { if (!resource) { return null; } return this._foldersMap.findSubstr(resource.toString()) || null; }; Workspace.prototype.updateFoldersMap = function () { this._foldersMap = __WEBPACK_IMPORTED_MODULE_3__base_common_map_js__["c" /* TernarySearchTree */].forPaths(); for (var _i = 0, _a = this.folders; _i < _a.length; _i++) { var folder = _a[_i]; this._foldersMap.set(folder.uri.toString(), folder); } }; Workspace.prototype.toJSON = function () { return { id: this.id, folders: this.folders, configuration: this.configuration }; }; return Workspace; }()); var WorkspaceFolder = /** @class */ (function () { function WorkspaceFolder(data, raw) { this.raw = raw; this.uri = data.uri; this.index = data.index; this.name = data.name; } WorkspaceFolder.prototype.toResource = function (relativePath) { return __WEBPACK_IMPORTED_MODULE_1__base_common_resources_js__["a" /* joinPath */](this.uri, relativePath); }; WorkspaceFolder.prototype.toJSON = function () { return { uri: this.uri, name: this.name, index: this.index }; }; return WorkspaceFolder; }()); /***/ }), /***/ 1696: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CodeEditorWidget; }); /* unused harmony export BooleanEventEmitter */ /* unused harmony export EditorModeContext */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_editor_css__ = __webpack_require__(1923); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_editor_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__media_editor_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__media_tokens_css__ = __webpack_require__(1925); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__media_tokens_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1__media_tokens_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_common_network_js__ = __webpack_require__(1358); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__ = __webpack_require__(1573); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__view_viewImpl_js__ = __webpack_require__(1929); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__view_viewOutgoingEvents_js__ = __webpack_require__(2013); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_controller_cursor_js__ = __webpack_require__(2014); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_controller_cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__common_core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__common_editorAction_js__ = __webpack_require__(1713); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__ = __webpack_require__(1324); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__ = __webpack_require__(1708); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__common_viewModel_viewModelImpl_js__ = __webpack_require__(2017); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__platform_commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_25__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_27__platform_instantiation_common_serviceCollection_js__ = __webpack_require__(1453); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_28__platform_notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__ = __webpack_require__(937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_30__platform_accessibility_common_accessibility_js__ = __webpack_require__(1454); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var EDITOR_ID = 0; var SHOW_UNUSED_ENABLED_CLASS = 'showUnused'; var ModelData = /** @class */ (function () { function ModelData(model, viewModel, cursor, view, hasRealView, listenersToRemove) { this.model = model; this.viewModel = viewModel; this.cursor = cursor; this.view = view; this.hasRealView = hasRealView; this.listenersToRemove = listenersToRemove; } ModelData.prototype.dispose = function () { Object(__WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__["d" /* dispose */])(this.listenersToRemove); this.model.onBeforeDetached(); if (this.hasRealView) { this.view.dispose(); } this.cursor.dispose(); this.viewModel.dispose(); }; return ModelData; }()); var CodeEditorWidget = /** @class */ (function (_super) { __extends(CodeEditorWidget, _super); function CodeEditorWidget(domElement, options, codeEditorWidgetOptions, instantiationService, codeEditorService, commandService, contextKeyService, themeService, notificationService, accessibilityService) { var _this = _super.call(this) || this; //#region Eventing _this._onDidDispose = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidDispose = _this._onDidDispose.event; _this._onDidChangeModelContent = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeModelContent = _this._onDidChangeModelContent.event; _this._onDidChangeModelLanguage = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeModelLanguage = _this._onDidChangeModelLanguage.event; _this._onDidChangeModelLanguageConfiguration = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeModelLanguageConfiguration = _this._onDidChangeModelLanguageConfiguration.event; _this._onDidChangeModelOptions = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeModelOptions = _this._onDidChangeModelOptions.event; _this._onDidChangeModelDecorations = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeModelDecorations = _this._onDidChangeModelDecorations.event; _this._onDidChangeConfiguration = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeConfiguration = _this._onDidChangeConfiguration.event; _this._onDidChangeModel = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeModel = _this._onDidChangeModel.event; _this._onDidChangeCursorPosition = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeCursorPosition = _this._onDidChangeCursorPosition.event; _this._onDidChangeCursorSelection = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeCursorSelection = _this._onDidChangeCursorSelection.event; _this._onDidAttemptReadOnlyEdit = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidAttemptReadOnlyEdit = _this._onDidAttemptReadOnlyEdit.event; _this._onDidLayoutChange = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidLayoutChange = _this._onDidLayoutChange.event; _this._editorTextFocus = _this._register(new BooleanEventEmitter()); _this.onDidFocusEditorText = _this._editorTextFocus.onDidChangeToTrue; _this.onDidBlurEditorText = _this._editorTextFocus.onDidChangeToFalse; _this._editorWidgetFocus = _this._register(new BooleanEventEmitter()); _this.onDidFocusEditorWidget = _this._editorWidgetFocus.onDidChangeToTrue; _this.onDidBlurEditorWidget = _this._editorWidgetFocus.onDidChangeToFalse; _this._onWillType = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onWillType = _this._onWillType.event; _this._onDidType = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidType = _this._onDidType.event; _this._onCompositionStart = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onCompositionStart = _this._onCompositionStart.event; _this._onCompositionEnd = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onCompositionEnd = _this._onCompositionEnd.event; _this._onDidPaste = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidPaste = _this._onDidPaste.event; _this._onMouseUp = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onMouseUp = _this._onMouseUp.event; _this._onMouseDown = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onMouseDown = _this._onMouseDown.event; _this._onMouseDrag = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onMouseDrag = _this._onMouseDrag.event; _this._onMouseDrop = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onMouseDrop = _this._onMouseDrop.event; _this._onContextMenu = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onContextMenu = _this._onContextMenu.event; _this._onMouseMove = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onMouseMove = _this._onMouseMove.event; _this._onMouseLeave = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onMouseLeave = _this._onMouseLeave.event; _this._onKeyUp = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onKeyUp = _this._onKeyUp.event; _this._onKeyDown = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onKeyDown = _this._onKeyDown.event; _this._onDidScrollChange = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidScrollChange = _this._onDidScrollChange.event; _this._onDidChangeViewZones = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeViewZones = _this._onDidChangeViewZones.event; _this._domElement = domElement; _this._id = (++EDITOR_ID); _this._decorationTypeKeysToIds = {}; _this._decorationTypeSubtypes = {}; _this.isSimpleWidget = codeEditorWidgetOptions.isSimpleWidget || false; _this._telemetryData = codeEditorWidgetOptions.telemetryData; options = options || {}; _this._configuration = _this._register(_this._createConfiguration(options, accessibilityService)); _this._register(_this._configuration.onDidChange(function (e) { _this._onDidChangeConfiguration.fire(e); if (e.layoutInfo) { _this._onDidLayoutChange.fire(_this._configuration.editor.layoutInfo); } if (_this._configuration.editor.showUnused) { _this._domElement.classList.add(SHOW_UNUSED_ENABLED_CLASS); } else { _this._domElement.classList.remove(SHOW_UNUSED_ENABLED_CLASS); } })); _this._contextKeyService = _this._register(contextKeyService.createScoped(_this._domElement)); _this._notificationService = notificationService; _this._codeEditorService = codeEditorService; _this._commandService = commandService; _this._themeService = themeService; _this._register(new EditorContextKeysManager(_this, _this._contextKeyService)); _this._register(new EditorModeContext(_this, _this._contextKeyService)); _this._instantiationService = instantiationService.createChild(new __WEBPACK_IMPORTED_MODULE_27__platform_instantiation_common_serviceCollection_js__["a" /* ServiceCollection */]([__WEBPACK_IMPORTED_MODULE_25__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */], _this._contextKeyService])); _this._attachModel(null); _this._contributions = {}; _this._actions = {}; _this._focusTracker = new CodeEditorWidgetFocusTracker(domElement); _this._focusTracker.onChange(function () { _this._editorWidgetFocus.setValue(_this._focusTracker.hasFocus()); }); _this._contentWidgets = {}; _this._overlayWidgets = {}; var contributions; if (Array.isArray(codeEditorWidgetOptions.contributions)) { contributions = codeEditorWidgetOptions.contributions; } else { contributions = __WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["d" /* EditorExtensionsRegistry */].getEditorContributions(); } for (var i = 0, len = contributions.length; i < len; i++) { var ctor = contributions[i]; try { var contribution = _this._instantiationService.createInstance(ctor, _this); _this._contributions[contribution.getId()] = contribution; } catch (err) { Object(__WEBPACK_IMPORTED_MODULE_4__base_common_errors_js__["e" /* onUnexpectedError */])(err); } } __WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["d" /* EditorExtensionsRegistry */].getEditorActions().forEach(function (action) { var internalAction = new __WEBPACK_IMPORTED_MODULE_18__common_editorAction_js__["a" /* InternalEditorAction */](action.id, action.label, action.alias, action.precondition, function () { return _this._instantiationService.invokeFunction(function (accessor) { return Promise.resolve(action.runEditorCommand(accessor, _this, null)); }); }, _this._contextKeyService); _this._actions[internalAction.id] = internalAction; }); _this._codeEditorService.addCodeEditor(_this); return _this; } CodeEditorWidget.prototype._createConfiguration = function (options, accessibilityService) { return new __WEBPACK_IMPORTED_MODULE_8__config_configuration_js__["a" /* Configuration */](options, this._domElement, accessibilityService); }; CodeEditorWidget.prototype.getId = function () { return this.getEditorType() + ':' + this._id; }; CodeEditorWidget.prototype.getEditorType = function () { return __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["a" /* EditorType */].ICodeEditor; }; CodeEditorWidget.prototype.dispose = function () { this._codeEditorService.removeCodeEditor(this); this._focusTracker.dispose(); var keys = Object.keys(this._contributions); for (var i = 0, len = keys.length; i < len; i++) { var contributionId = keys[i]; this._contributions[contributionId].dispose(); } this._removeDecorationTypes(); this._postDetachModelCleanup(this._detachModel()); this._onDidDispose.fire(); _super.prototype.dispose.call(this); }; CodeEditorWidget.prototype.invokeWithinContext = function (fn) { return this._instantiationService.invokeFunction(fn); }; CodeEditorWidget.prototype.updateOptions = function (newOptions) { this._configuration.updateOptions(newOptions); }; CodeEditorWidget.prototype.getConfiguration = function () { return this._configuration.editor; }; CodeEditorWidget.prototype.getRawConfiguration = function () { return this._configuration.getRawOptions(); }; CodeEditorWidget.prototype.getValue = function (options) { if (options === void 0) { options = null; } if (!this._modelData) { return ''; } var preserveBOM = (options && options.preserveBOM) ? true : false; var eolPreference = 0 /* TextDefined */; if (options && options.lineEnding && options.lineEnding === '\n') { eolPreference = 1 /* LF */; } else if (options && options.lineEnding && options.lineEnding === '\r\n') { eolPreference = 2 /* CRLF */; } return this._modelData.model.getValue(eolPreference, preserveBOM); }; CodeEditorWidget.prototype.setValue = function (newValue) { if (!this._modelData) { return; } this._modelData.model.setValue(newValue); }; CodeEditorWidget.prototype.getModel = function () { if (!this._modelData) { return null; } return this._modelData.model; }; CodeEditorWidget.prototype.setModel = function (_model) { if (_model === void 0) { _model = null; } var model = _model; if (this._modelData === null && model === null) { // Current model is the new model return; } if (this._modelData && this._modelData.model === model) { // Current model is the new model return; } var detachedModel = this._detachModel(); this._attachModel(model); var e = { oldModelUrl: detachedModel ? detachedModel.uri : null, newModelUrl: model ? model.uri : null }; this._removeDecorationTypes(); this._onDidChangeModel.fire(e); this._postDetachModelCleanup(detachedModel); }; CodeEditorWidget.prototype._removeDecorationTypes = function () { this._decorationTypeKeysToIds = {}; if (this._decorationTypeSubtypes) { for (var decorationType in this._decorationTypeSubtypes) { var subTypes = this._decorationTypeSubtypes[decorationType]; for (var subType in subTypes) { this._removeDecorationType(decorationType + '-' + subType); } } this._decorationTypeSubtypes = {}; } }; CodeEditorWidget.prototype.getVisibleRanges = function () { if (!this._modelData) { return []; } return this._modelData.viewModel.getVisibleRanges(); }; CodeEditorWidget.prototype.getWhitespaces = function () { if (!this._modelData) { return []; } return this._modelData.viewModel.viewLayout.getWhitespaces(); }; CodeEditorWidget._getVerticalOffsetForPosition = function (modelData, modelLineNumber, modelColumn) { var modelPosition = modelData.model.validatePosition({ lineNumber: modelLineNumber, column: modelColumn }); var viewPosition = modelData.viewModel.coordinatesConverter.convertModelPositionToViewPosition(modelPosition); return modelData.viewModel.viewLayout.getVerticalOffsetForLineNumber(viewPosition.lineNumber); }; CodeEditorWidget.prototype.getTopForLineNumber = function (lineNumber) { if (!this._modelData) { return -1; } return CodeEditorWidget._getVerticalOffsetForPosition(this._modelData, lineNumber, 1); }; CodeEditorWidget.prototype.getTopForPosition = function (lineNumber, column) { if (!this._modelData) { return -1; } return CodeEditorWidget._getVerticalOffsetForPosition(this._modelData, lineNumber, column); }; CodeEditorWidget.prototype.setHiddenAreas = function (ranges) { if (this._modelData) { this._modelData.viewModel.setHiddenAreas(ranges.map(function (r) { return __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */].lift(r); })); } }; CodeEditorWidget.prototype.getVisibleColumnFromPosition = function (rawPosition) { if (!this._modelData) { return rawPosition.column; } var position = this._modelData.model.validatePosition(rawPosition); var tabSize = this._modelData.model.getOptions().tabSize; return __WEBPACK_IMPORTED_MODULE_14__common_controller_cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(this._modelData.model.getLineContent(position.lineNumber), position.column, tabSize) + 1; }; CodeEditorWidget.prototype.getPosition = function () { if (!this._modelData) { return null; } return this._modelData.cursor.getPosition(); }; CodeEditorWidget.prototype.setPosition = function (position) { if (!this._modelData) { return; } if (!__WEBPACK_IMPORTED_MODULE_15__common_core_position_js__["a" /* Position */].isIPosition(position)) { throw new Error('Invalid arguments'); } this._modelData.cursor.setSelections('api', [{ selectionStartLineNumber: position.lineNumber, selectionStartColumn: position.column, positionLineNumber: position.lineNumber, positionColumn: position.column }]); }; CodeEditorWidget.prototype._sendRevealRange = function (modelRange, verticalType, revealHorizontal, scrollType) { if (!this._modelData) { return; } if (!__WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */].isIRange(modelRange)) { throw new Error('Invalid arguments'); } var validatedModelRange = this._modelData.model.validateRange(modelRange); var viewRange = this._modelData.viewModel.coordinatesConverter.convertModelRangeToViewRange(validatedModelRange); this._modelData.cursor.emitCursorRevealRange(viewRange, verticalType, revealHorizontal, scrollType); }; CodeEditorWidget.prototype.revealLine = function (lineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealLine(lineNumber, 0 /* Simple */, scrollType); }; CodeEditorWidget.prototype.revealLineInCenter = function (lineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealLine(lineNumber, 1 /* Center */, scrollType); }; CodeEditorWidget.prototype.revealLineInCenterIfOutsideViewport = function (lineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealLine(lineNumber, 2 /* CenterIfOutsideViewport */, scrollType); }; CodeEditorWidget.prototype._revealLine = function (lineNumber, revealType, scrollType) { if (typeof lineNumber !== 'number') { throw new Error('Invalid arguments'); } this._sendRevealRange(new __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, 1), revealType, false, scrollType); }; CodeEditorWidget.prototype.revealPosition = function (position, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealPosition(position, 0 /* Simple */, true, scrollType); }; CodeEditorWidget.prototype.revealPositionInCenter = function (position, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealPosition(position, 1 /* Center */, true, scrollType); }; CodeEditorWidget.prototype.revealPositionInCenterIfOutsideViewport = function (position, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealPosition(position, 2 /* CenterIfOutsideViewport */, true, scrollType); }; CodeEditorWidget.prototype._revealPosition = function (position, verticalType, revealHorizontal, scrollType) { if (!__WEBPACK_IMPORTED_MODULE_15__common_core_position_js__["a" /* Position */].isIPosition(position)) { throw new Error('Invalid arguments'); } this._sendRevealRange(new __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column), verticalType, revealHorizontal, scrollType); }; CodeEditorWidget.prototype.getSelection = function () { if (!this._modelData) { return null; } return this._modelData.cursor.getSelection(); }; CodeEditorWidget.prototype.getSelections = function () { if (!this._modelData) { return null; } return this._modelData.cursor.getSelections(); }; CodeEditorWidget.prototype.setSelection = function (something) { var isSelection = __WEBPACK_IMPORTED_MODULE_17__common_core_selection_js__["a" /* Selection */].isISelection(something); var isRange = __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */].isIRange(something); if (!isSelection && !isRange) { throw new Error('Invalid arguments'); } if (isSelection) { this._setSelectionImpl(something); } else if (isRange) { // act as if it was an IRange var selection = { selectionStartLineNumber: something.startLineNumber, selectionStartColumn: something.startColumn, positionLineNumber: something.endLineNumber, positionColumn: something.endColumn }; this._setSelectionImpl(selection); } }; CodeEditorWidget.prototype._setSelectionImpl = function (sel) { if (!this._modelData) { return; } var selection = new __WEBPACK_IMPORTED_MODULE_17__common_core_selection_js__["a" /* Selection */](sel.selectionStartLineNumber, sel.selectionStartColumn, sel.positionLineNumber, sel.positionColumn); this._modelData.cursor.setSelections('api', [selection]); }; CodeEditorWidget.prototype.revealLines = function (startLineNumber, endLineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealLines(startLineNumber, endLineNumber, 0 /* Simple */, scrollType); }; CodeEditorWidget.prototype.revealLinesInCenter = function (startLineNumber, endLineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealLines(startLineNumber, endLineNumber, 1 /* Center */, scrollType); }; CodeEditorWidget.prototype.revealLinesInCenterIfOutsideViewport = function (startLineNumber, endLineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealLines(startLineNumber, endLineNumber, 2 /* CenterIfOutsideViewport */, scrollType); }; CodeEditorWidget.prototype._revealLines = function (startLineNumber, endLineNumber, verticalType, scrollType) { if (typeof startLineNumber !== 'number' || typeof endLineNumber !== 'number') { throw new Error('Invalid arguments'); } this._sendRevealRange(new __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */](startLineNumber, 1, endLineNumber, 1), verticalType, false, scrollType); }; CodeEditorWidget.prototype.revealRange = function (range, scrollType, revealVerticalInCenter, revealHorizontal) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } if (revealVerticalInCenter === void 0) { revealVerticalInCenter = false; } if (revealHorizontal === void 0) { revealHorizontal = true; } this._revealRange(range, revealVerticalInCenter ? 1 /* Center */ : 0 /* Simple */, revealHorizontal, scrollType); }; CodeEditorWidget.prototype.revealRangeInCenter = function (range, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealRange(range, 1 /* Center */, true, scrollType); }; CodeEditorWidget.prototype.revealRangeInCenterIfOutsideViewport = function (range, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealRange(range, 2 /* CenterIfOutsideViewport */, true, scrollType); }; CodeEditorWidget.prototype.revealRangeAtTop = function (range, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._revealRange(range, 3 /* Top */, true, scrollType); }; CodeEditorWidget.prototype._revealRange = function (range, verticalType, revealHorizontal, scrollType) { if (!__WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */].isIRange(range)) { throw new Error('Invalid arguments'); } this._sendRevealRange(__WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */].lift(range), verticalType, revealHorizontal, scrollType); }; CodeEditorWidget.prototype.setSelections = function (ranges, source) { if (source === void 0) { source = 'api'; } if (!this._modelData) { return; } if (!ranges || ranges.length === 0) { throw new Error('Invalid arguments'); } for (var i = 0, len = ranges.length; i < len; i++) { if (!__WEBPACK_IMPORTED_MODULE_17__common_core_selection_js__["a" /* Selection */].isISelection(ranges[i])) { throw new Error('Invalid arguments'); } } this._modelData.cursor.setSelections(source, ranges); }; CodeEditorWidget.prototype.getScrollWidth = function () { if (!this._modelData) { return -1; } return this._modelData.viewModel.viewLayout.getScrollWidth(); }; CodeEditorWidget.prototype.getScrollLeft = function () { if (!this._modelData) { return -1; } return this._modelData.viewModel.viewLayout.getCurrentScrollLeft(); }; CodeEditorWidget.prototype.getScrollHeight = function () { if (!this._modelData) { return -1; } return this._modelData.viewModel.viewLayout.getScrollHeight(); }; CodeEditorWidget.prototype.getScrollTop = function () { if (!this._modelData) { return -1; } return this._modelData.viewModel.viewLayout.getCurrentScrollTop(); }; CodeEditorWidget.prototype.setScrollLeft = function (newScrollLeft) { if (!this._modelData) { return; } if (typeof newScrollLeft !== 'number') { throw new Error('Invalid arguments'); } this._modelData.viewModel.viewLayout.setScrollPositionNow({ scrollLeft: newScrollLeft }); }; CodeEditorWidget.prototype.setScrollTop = function (newScrollTop) { if (!this._modelData) { return; } if (typeof newScrollTop !== 'number') { throw new Error('Invalid arguments'); } this._modelData.viewModel.viewLayout.setScrollPositionNow({ scrollTop: newScrollTop }); }; CodeEditorWidget.prototype.setScrollPosition = function (position) { if (!this._modelData) { return; } this._modelData.viewModel.viewLayout.setScrollPositionNow(position); }; CodeEditorWidget.prototype.saveViewState = function () { if (!this._modelData) { return null; } var contributionsState = {}; var keys = Object.keys(this._contributions); for (var _i = 0, keys_1 = keys; _i < keys_1.length; _i++) { var id = keys_1[_i]; var contribution = this._contributions[id]; if (typeof contribution.saveViewState === 'function') { contributionsState[id] = contribution.saveViewState(); } } var cursorState = this._modelData.cursor.saveState(); var viewState = this._modelData.viewModel.saveState(); return { cursorState: cursorState, viewState: viewState, contributionsState: contributionsState }; }; CodeEditorWidget.prototype.restoreViewState = function (s) { if (!this._modelData || !this._modelData.hasRealView) { return; } var codeEditorState = s; if (codeEditorState && codeEditorState.cursorState && codeEditorState.viewState) { var cursorState = codeEditorState.cursorState; if (Array.isArray(cursorState)) { this._modelData.cursor.restoreState(cursorState); } else { // Backwards compatibility this._modelData.cursor.restoreState([cursorState]); } var contributionsState = codeEditorState.contributionsState || {}; var keys = Object.keys(this._contributions); for (var i = 0, len = keys.length; i < len; i++) { var id = keys[i]; var contribution = this._contributions[id]; if (typeof contribution.restoreViewState === 'function') { contribution.restoreViewState(contributionsState[id]); } } var reducedState = this._modelData.viewModel.reduceRestoreState(codeEditorState.viewState); this._modelData.view.restoreState(reducedState); } }; CodeEditorWidget.prototype.getContribution = function (id) { return (this._contributions[id] || null); }; CodeEditorWidget.prototype.getActions = function () { var result = []; var keys = Object.keys(this._actions); for (var i = 0, len = keys.length; i < len; i++) { var id = keys[i]; result.push(this._actions[id]); } return result; }; CodeEditorWidget.prototype.getSupportedActions = function () { var result = this.getActions(); result = result.filter(function (action) { return action.isSupported(); }); return result; }; CodeEditorWidget.prototype.getAction = function (id) { return this._actions[id] || null; }; CodeEditorWidget.prototype.trigger = function (source, handlerId, payload) { payload = payload || {}; // Special case for typing if (handlerId === __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Type) { if (!this._modelData || typeof payload.text !== 'string' || payload.text.length === 0) { // nothing to do return; } if (source === 'keyboard') { this._onWillType.fire(payload.text); } this._modelData.cursor.trigger(source, handlerId, payload); if (source === 'keyboard') { this._onDidType.fire(payload.text); } return; } // Special case for pasting if (handlerId === __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Paste) { if (!this._modelData || typeof payload.text !== 'string' || payload.text.length === 0) { // nothing to do return; } var startPosition = this._modelData.cursor.getSelection().getStartPosition(); this._modelData.cursor.trigger(source, handlerId, payload); var endPosition = this._modelData.cursor.getSelection().getStartPosition(); if (source === 'keyboard') { this._onDidPaste.fire(new __WEBPACK_IMPORTED_MODULE_16__common_core_range_js__["a" /* Range */](startPosition.lineNumber, startPosition.column, endPosition.lineNumber, endPosition.column)); } return; } if (handlerId === __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].CompositionStart) { this._onCompositionStart.fire(); } if (handlerId === __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].CompositionEnd) { this._onCompositionEnd.fire(); } var action = this.getAction(handlerId); if (action) { Promise.resolve(action.run()).then(undefined, __WEBPACK_IMPORTED_MODULE_4__base_common_errors_js__["e" /* onUnexpectedError */]); return; } if (!this._modelData) { return; } if (this._triggerEditorCommand(source, handlerId, payload)) { return; } this._modelData.cursor.trigger(source, handlerId, payload); }; CodeEditorWidget.prototype._triggerEditorCommand = function (source, handlerId, payload) { var _this = this; var command = __WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["d" /* EditorExtensionsRegistry */].getEditorCommand(handlerId); if (command) { payload = payload || {}; payload.source = source; this._instantiationService.invokeFunction(function (accessor) { Promise.resolve(command.runEditorCommand(accessor, _this, payload)).then(undefined, __WEBPACK_IMPORTED_MODULE_4__base_common_errors_js__["e" /* onUnexpectedError */]); }); return true; } return false; }; CodeEditorWidget.prototype._getCursors = function () { if (!this._modelData) { return null; } return this._modelData.cursor; }; CodeEditorWidget.prototype.pushUndoStop = function () { if (!this._modelData) { return false; } if (this._configuration.editor.readOnly) { // read only editor => sorry! return false; } this._modelData.model.pushStackElement(); return true; }; CodeEditorWidget.prototype.executeEdits = function (source, edits, endCursorState) { if (!this._modelData) { return false; } if (this._configuration.editor.readOnly) { // read only editor => sorry! return false; } this._modelData.model.pushEditOperations(this._modelData.cursor.getSelections(), edits, function () { return endCursorState ? endCursorState : null; }); if (endCursorState) { this._modelData.cursor.setSelections(source, endCursorState); } return true; }; CodeEditorWidget.prototype.executeCommand = function (source, command) { if (!this._modelData) { return; } this._modelData.cursor.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].ExecuteCommand, command); }; CodeEditorWidget.prototype.executeCommands = function (source, commands) { if (!this._modelData) { return; } this._modelData.cursor.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].ExecuteCommands, commands); }; CodeEditorWidget.prototype.changeDecorations = function (callback) { if (!this._modelData) { // callback will not be called return null; } return this._modelData.model.changeDecorations(callback, this._id); }; CodeEditorWidget.prototype.getLineDecorations = function (lineNumber) { if (!this._modelData) { return null; } return this._modelData.model.getLineDecorations(lineNumber, this._id, this._configuration.editor.readOnly); }; CodeEditorWidget.prototype.deltaDecorations = function (oldDecorations, newDecorations) { if (!this._modelData) { return []; } if (oldDecorations.length === 0 && newDecorations.length === 0) { return oldDecorations; } return this._modelData.model.deltaDecorations(oldDecorations, newDecorations, this._id); }; CodeEditorWidget.prototype.removeDecorations = function (decorationTypeKey) { // remove decorations for type and sub type var oldDecorationsIds = this._decorationTypeKeysToIds[decorationTypeKey]; if (oldDecorationsIds) { this.deltaDecorations(oldDecorationsIds, []); } if (this._decorationTypeKeysToIds.hasOwnProperty(decorationTypeKey)) { delete this._decorationTypeKeysToIds[decorationTypeKey]; } if (this._decorationTypeSubtypes.hasOwnProperty(decorationTypeKey)) { delete this._decorationTypeSubtypes[decorationTypeKey]; } }; CodeEditorWidget.prototype.getLayoutInfo = function () { return this._configuration.editor.layoutInfo; }; CodeEditorWidget.prototype.createOverviewRuler = function (cssClassName) { if (!this._modelData || !this._modelData.hasRealView) { return null; } return this._modelData.view.createOverviewRuler(cssClassName); }; CodeEditorWidget.prototype.getDomNode = function () { if (!this._modelData || !this._modelData.hasRealView) { return null; } return this._modelData.view.domNode.domNode; }; CodeEditorWidget.prototype.delegateVerticalScrollbarMouseDown = function (browserEvent) { if (!this._modelData || !this._modelData.hasRealView) { return; } this._modelData.view.delegateVerticalScrollbarMouseDown(browserEvent); }; CodeEditorWidget.prototype.layout = function (dimension) { this._configuration.observeReferenceElement(dimension); this.render(); }; CodeEditorWidget.prototype.focus = function () { if (!this._modelData || !this._modelData.hasRealView) { return; } this._modelData.view.focus(); }; CodeEditorWidget.prototype.hasTextFocus = function () { if (!this._modelData || !this._modelData.hasRealView) { return false; } return this._modelData.view.isFocused(); }; CodeEditorWidget.prototype.hasWidgetFocus = function () { return this._focusTracker && this._focusTracker.hasFocus(); }; CodeEditorWidget.prototype.addContentWidget = function (widget) { var widgetData = { widget: widget, position: widget.getPosition() }; if (this._contentWidgets.hasOwnProperty(widget.getId())) { console.warn('Overwriting a content widget with the same id.'); } this._contentWidgets[widget.getId()] = widgetData; if (this._modelData && this._modelData.hasRealView) { this._modelData.view.addContentWidget(widgetData); } }; CodeEditorWidget.prototype.layoutContentWidget = function (widget) { var widgetId = widget.getId(); if (this._contentWidgets.hasOwnProperty(widgetId)) { var widgetData = this._contentWidgets[widgetId]; widgetData.position = widget.getPosition(); if (this._modelData && this._modelData.hasRealView) { this._modelData.view.layoutContentWidget(widgetData); } } }; CodeEditorWidget.prototype.removeContentWidget = function (widget) { var widgetId = widget.getId(); if (this._contentWidgets.hasOwnProperty(widgetId)) { var widgetData = this._contentWidgets[widgetId]; delete this._contentWidgets[widgetId]; if (this._modelData && this._modelData.hasRealView) { this._modelData.view.removeContentWidget(widgetData); } } }; CodeEditorWidget.prototype.addOverlayWidget = function (widget) { var widgetData = { widget: widget, position: widget.getPosition() }; if (this._overlayWidgets.hasOwnProperty(widget.getId())) { console.warn('Overwriting an overlay widget with the same id.'); } this._overlayWidgets[widget.getId()] = widgetData; if (this._modelData && this._modelData.hasRealView) { this._modelData.view.addOverlayWidget(widgetData); } }; CodeEditorWidget.prototype.layoutOverlayWidget = function (widget) { var widgetId = widget.getId(); if (this._overlayWidgets.hasOwnProperty(widgetId)) { var widgetData = this._overlayWidgets[widgetId]; widgetData.position = widget.getPosition(); if (this._modelData && this._modelData.hasRealView) { this._modelData.view.layoutOverlayWidget(widgetData); } } }; CodeEditorWidget.prototype.removeOverlayWidget = function (widget) { var widgetId = widget.getId(); if (this._overlayWidgets.hasOwnProperty(widgetId)) { var widgetData = this._overlayWidgets[widgetId]; delete this._overlayWidgets[widgetId]; if (this._modelData && this._modelData.hasRealView) { this._modelData.view.removeOverlayWidget(widgetData); } } }; CodeEditorWidget.prototype.changeViewZones = function (callback) { if (!this._modelData || !this._modelData.hasRealView) { return; } var hasChanges = this._modelData.view.change(callback); if (hasChanges) { this._onDidChangeViewZones.fire(); } }; CodeEditorWidget.prototype.getTargetAtClientPoint = function (clientX, clientY) { if (!this._modelData || !this._modelData.hasRealView) { return null; } return this._modelData.view.getTargetAtClientPoint(clientX, clientY); }; CodeEditorWidget.prototype.getScrolledVisiblePosition = function (rawPosition) { if (!this._modelData || !this._modelData.hasRealView) { return null; } var position = this._modelData.model.validatePosition(rawPosition); var layoutInfo = this._configuration.editor.layoutInfo; var top = CodeEditorWidget._getVerticalOffsetForPosition(this._modelData, position.lineNumber, position.column) - this.getScrollTop(); var left = this._modelData.view.getOffsetForColumn(position.lineNumber, position.column) + layoutInfo.glyphMarginWidth + layoutInfo.lineNumbersWidth + layoutInfo.decorationsWidth - this.getScrollLeft(); return { top: top, left: left, height: this._configuration.editor.lineHeight }; }; CodeEditorWidget.prototype.getOffsetForColumn = function (lineNumber, column) { if (!this._modelData || !this._modelData.hasRealView) { return -1; } return this._modelData.view.getOffsetForColumn(lineNumber, column); }; CodeEditorWidget.prototype.render = function (forceRedraw) { if (forceRedraw === void 0) { forceRedraw = false; } if (!this._modelData || !this._modelData.hasRealView) { return; } this._modelData.view.render(true, forceRedraw); }; CodeEditorWidget.prototype.applyFontInfo = function (target) { __WEBPACK_IMPORTED_MODULE_8__config_configuration_js__["a" /* Configuration */].applyFontInfoSlow(target, this._configuration.editor.fontInfo); }; CodeEditorWidget.prototype._attachModel = function (model) { var _this = this; if (!model) { this._modelData = null; return; } var listenersToRemove = []; this._domElement.setAttribute('data-mode-id', model.getLanguageIdentifier().language); this._configuration.setIsDominatedByLongLines(model.isDominatedByLongLines()); this._configuration.setMaxLineNumber(model.getLineCount()); model.onBeforeAttached(); var viewModel = new __WEBPACK_IMPORTED_MODULE_23__common_viewModel_viewModelImpl_js__["a" /* ViewModel */](this._id, this._configuration, model, function (callback) { return __WEBPACK_IMPORTED_MODULE_3__base_browser_dom_js__["K" /* scheduleAtNextAnimationFrame */](callback); }); listenersToRemove.push(model.onDidChangeDecorations(function (e) { return _this._onDidChangeModelDecorations.fire(e); })); listenersToRemove.push(model.onDidChangeLanguage(function (e) { _this._domElement.setAttribute('data-mode-id', model.getLanguageIdentifier().language); _this._onDidChangeModelLanguage.fire(e); })); listenersToRemove.push(model.onDidChangeLanguageConfiguration(function (e) { return _this._onDidChangeModelLanguageConfiguration.fire(e); })); listenersToRemove.push(model.onDidChangeContent(function (e) { return _this._onDidChangeModelContent.fire(e); })); listenersToRemove.push(model.onDidChangeOptions(function (e) { return _this._onDidChangeModelOptions.fire(e); })); // Someone might destroy the model from under the editor, so prevent any exceptions by setting a null model listenersToRemove.push(model.onWillDispose(function () { return _this.setModel(null); })); var cursor = new __WEBPACK_IMPORTED_MODULE_13__common_controller_cursor_js__["a" /* Cursor */](this._configuration, model, viewModel); listenersToRemove.push(cursor.onDidReachMaxCursorCount(function () { _this._notificationService.warn(__WEBPACK_IMPORTED_MODULE_2__nls_js__["a" /* localize */]('cursors.maximum', "The number of cursors has been limited to {0}.", __WEBPACK_IMPORTED_MODULE_13__common_controller_cursor_js__["a" /* Cursor */].MAX_CURSOR_COUNT)); })); listenersToRemove.push(cursor.onDidAttemptReadOnlyEdit(function () { _this._onDidAttemptReadOnlyEdit.fire(undefined); })); listenersToRemove.push(cursor.onDidChange(function (e) { var positions = []; for (var i = 0, len = e.selections.length; i < len; i++) { positions[i] = e.selections[i].getPosition(); } var e1 = { position: positions[0], secondaryPositions: positions.slice(1), reason: e.reason, source: e.source }; _this._onDidChangeCursorPosition.fire(e1); var e2 = { selection: e.selections[0], secondarySelections: e.selections.slice(1), source: e.source, reason: e.reason }; _this._onDidChangeCursorSelection.fire(e2); })); var _a = this._createView(viewModel, cursor), view = _a[0], hasRealView = _a[1]; if (hasRealView) { this._domElement.appendChild(view.domNode.domNode); var keys = Object.keys(this._contentWidgets); for (var i = 0, len = keys.length; i < len; i++) { var widgetId = keys[i]; view.addContentWidget(this._contentWidgets[widgetId]); } keys = Object.keys(this._overlayWidgets); for (var i = 0, len = keys.length; i < len; i++) { var widgetId = keys[i]; view.addOverlayWidget(this._overlayWidgets[widgetId]); } view.render(false, true); view.domNode.domNode.setAttribute('data-uri', model.uri.toString()); } this._modelData = new ModelData(model, viewModel, cursor, view, hasRealView, listenersToRemove); }; CodeEditorWidget.prototype._createView = function (viewModel, cursor) { var _this = this; var commandDelegate; if (this.isSimpleWidget) { commandDelegate = { executeEditorCommand: function (editorCommand, args) { editorCommand.runCoreEditorCommand(cursor, args); }, paste: function (source, text, pasteOnNewLine, multicursorText) { _this.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Paste, { text: text, pasteOnNewLine: pasteOnNewLine, multicursorText: multicursorText }); }, type: function (source, text) { _this.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Type, { text: text }); }, replacePreviousChar: function (source, text, replaceCharCnt) { _this.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].ReplacePreviousChar, { text: text, replaceCharCnt: replaceCharCnt }); }, compositionStart: function (source) { _this.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].CompositionStart, undefined); }, compositionEnd: function (source) { _this.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].CompositionEnd, undefined); }, cut: function (source) { _this.trigger(source, __WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Cut, undefined); } }; } else { commandDelegate = { executeEditorCommand: function (editorCommand, args) { editorCommand.runCoreEditorCommand(cursor, args); }, paste: function (source, text, pasteOnNewLine, multicursorText) { _this._commandService.executeCommand(__WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Paste, { text: text, pasteOnNewLine: pasteOnNewLine, multicursorText: multicursorText }); }, type: function (source, text) { _this._commandService.executeCommand(__WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Type, { text: text }); }, replacePreviousChar: function (source, text, replaceCharCnt) { _this._commandService.executeCommand(__WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].ReplacePreviousChar, { text: text, replaceCharCnt: replaceCharCnt }); }, compositionStart: function (source) { _this._commandService.executeCommand(__WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].CompositionStart, {}); }, compositionEnd: function (source) { _this._commandService.executeCommand(__WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].CompositionEnd, {}); }, cut: function (source) { _this._commandService.executeCommand(__WEBPACK_IMPORTED_MODULE_19__common_editorCommon_js__["b" /* Handler */].Cut, {}); } }; } var viewOutgoingEvents = new __WEBPACK_IMPORTED_MODULE_12__view_viewOutgoingEvents_js__["a" /* ViewOutgoingEvents */](viewModel); viewOutgoingEvents.onDidGainFocus = function () { _this._editorTextFocus.setValue(true); // In IE, the focus is not synchronous, so we give it a little help _this._editorWidgetFocus.setValue(true); }; viewOutgoingEvents.onDidScroll = function (e) { return _this._onDidScrollChange.fire(e); }; viewOutgoingEvents.onDidLoseFocus = function () { return _this._editorTextFocus.setValue(false); }; viewOutgoingEvents.onContextMenu = function (e) { return _this._onContextMenu.fire(e); }; viewOutgoingEvents.onMouseDown = function (e) { return _this._onMouseDown.fire(e); }; viewOutgoingEvents.onMouseUp = function (e) { return _this._onMouseUp.fire(e); }; viewOutgoingEvents.onMouseDrag = function (e) { return _this._onMouseDrag.fire(e); }; viewOutgoingEvents.onMouseDrop = function (e) { return _this._onMouseDrop.fire(e); }; viewOutgoingEvents.onKeyUp = function (e) { return _this._onKeyUp.fire(e); }; viewOutgoingEvents.onMouseMove = function (e) { return _this._onMouseMove.fire(e); }; viewOutgoingEvents.onMouseLeave = function (e) { return _this._onMouseLeave.fire(e); }; viewOutgoingEvents.onKeyDown = function (e) { return _this._onKeyDown.fire(e); }; var view = new __WEBPACK_IMPORTED_MODULE_11__view_viewImpl_js__["a" /* View */](commandDelegate, this._configuration, this._themeService, viewModel, cursor, viewOutgoingEvents); return [view, true]; }; CodeEditorWidget.prototype._postDetachModelCleanup = function (detachedModel) { if (detachedModel) { detachedModel.removeAllDecorationsWithOwnerId(this._id); } }; CodeEditorWidget.prototype._detachModel = function () { if (!this._modelData) { return null; } var model = this._modelData.model; var removeDomNode = this._modelData.hasRealView ? this._modelData.view.domNode.domNode : null; this._modelData.dispose(); this._modelData = null; this._domElement.removeAttribute('data-mode-id'); if (removeDomNode) { this._domElement.removeChild(removeDomNode); } return model; }; CodeEditorWidget.prototype._removeDecorationType = function (key) { this._codeEditorService.removeDecorationType(key); }; /* __GDPR__FRAGMENT__ "EditorTelemetryData" : {} */ CodeEditorWidget.prototype.getTelemetryData = function () { return this._telemetryData; }; CodeEditorWidget.prototype.hasModel = function () { return (this._modelData !== null); }; CodeEditorWidget = __decorate([ __param(3, __WEBPACK_IMPORTED_MODULE_26__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), __param(4, __WEBPACK_IMPORTED_MODULE_10__services_codeEditorService_js__["a" /* ICodeEditorService */]), __param(5, __WEBPACK_IMPORTED_MODULE_24__platform_commands_common_commands_js__["b" /* ICommandService */]), __param(6, __WEBPACK_IMPORTED_MODULE_25__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(7, __WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__["c" /* IThemeService */]), __param(8, __WEBPACK_IMPORTED_MODULE_28__platform_notification_common_notification_js__["a" /* INotificationService */]), __param(9, __WEBPACK_IMPORTED_MODULE_30__platform_accessibility_common_accessibility_js__["a" /* IAccessibilityService */]) ], CodeEditorWidget); return CodeEditorWidget; }(__WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__["a" /* Disposable */])); var BooleanEventEmitter = /** @class */ (function (_super) { __extends(BooleanEventEmitter, _super); function BooleanEventEmitter() { var _this = _super.call(this) || this; _this._onDidChangeToTrue = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeToTrue = _this._onDidChangeToTrue.event; _this._onDidChangeToFalse = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onDidChangeToFalse = _this._onDidChangeToFalse.event; _this._value = 0 /* NotSet */; return _this; } BooleanEventEmitter.prototype.setValue = function (_value) { var value = (_value ? 2 /* True */ : 1 /* False */); if (this._value === value) { return; } this._value = value; if (this._value === 2 /* True */) { this._onDidChangeToTrue.fire(); } else if (this._value === 1 /* False */) { this._onDidChangeToFalse.fire(); } }; return BooleanEventEmitter; }(__WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__["a" /* Disposable */])); var EditorContextKeysManager = /** @class */ (function (_super) { __extends(EditorContextKeysManager, _super); function EditorContextKeysManager(editor, contextKeyService) { var _this = _super.call(this) || this; _this._editor = editor; contextKeyService.createKey('editorId', editor.getId()); _this._editorFocus = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].focus.bindTo(contextKeyService); _this._textInputFocus = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus.bindTo(contextKeyService); _this._editorTextFocus = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].editorTextFocus.bindTo(contextKeyService); _this._editorTabMovesFocus = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].tabMovesFocus.bindTo(contextKeyService); _this._editorReadonly = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].readOnly.bindTo(contextKeyService); _this._hasMultipleSelections = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasMultipleSelections.bindTo(contextKeyService); _this._hasNonEmptySelection = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasNonEmptySelection.bindTo(contextKeyService); _this._canUndo = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].canUndo.bindTo(contextKeyService); _this._canRedo = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].canRedo.bindTo(contextKeyService); _this._register(_this._editor.onDidChangeConfiguration(function () { return _this._updateFromConfig(); })); _this._register(_this._editor.onDidChangeCursorSelection(function () { return _this._updateFromSelection(); })); _this._register(_this._editor.onDidFocusEditorWidget(function () { return _this._updateFromFocus(); })); _this._register(_this._editor.onDidBlurEditorWidget(function () { return _this._updateFromFocus(); })); _this._register(_this._editor.onDidFocusEditorText(function () { return _this._updateFromFocus(); })); _this._register(_this._editor.onDidBlurEditorText(function () { return _this._updateFromFocus(); })); _this._register(_this._editor.onDidChangeModel(function () { return _this._updateFromModel(); })); _this._register(_this._editor.onDidChangeConfiguration(function () { return _this._updateFromModel(); })); _this._updateFromConfig(); _this._updateFromSelection(); _this._updateFromFocus(); _this._updateFromModel(); return _this; } EditorContextKeysManager.prototype._updateFromConfig = function () { var config = this._editor.getConfiguration(); this._editorTabMovesFocus.set(config.tabFocusMode); this._editorReadonly.set(config.readOnly); }; EditorContextKeysManager.prototype._updateFromSelection = function () { var selections = this._editor.getSelections(); if (!selections) { this._hasMultipleSelections.reset(); this._hasNonEmptySelection.reset(); } else { this._hasMultipleSelections.set(selections.length > 1); this._hasNonEmptySelection.set(selections.some(function (s) { return !s.isEmpty(); })); } }; EditorContextKeysManager.prototype._updateFromFocus = function () { this._editorFocus.set(this._editor.hasWidgetFocus() && !this._editor.isSimpleWidget); this._editorTextFocus.set(this._editor.hasTextFocus() && !this._editor.isSimpleWidget); this._textInputFocus.set(this._editor.hasTextFocus()); }; EditorContextKeysManager.prototype._updateFromModel = function () { var model = this._editor.getModel(); this._canUndo.set(Boolean(model && model.canUndo())); this._canRedo.set(Boolean(model && model.canRedo())); }; return EditorContextKeysManager; }(__WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__["a" /* Disposable */])); var EditorModeContext = /** @class */ (function (_super) { __extends(EditorModeContext, _super); function EditorModeContext(editor, contextKeyService) { var _this = _super.call(this) || this; _this._editor = editor; _this._langId = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].languageId.bindTo(contextKeyService); _this._hasCompletionItemProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasCompletionItemProvider.bindTo(contextKeyService); _this._hasCodeActionsProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasCodeActionsProvider.bindTo(contextKeyService); _this._hasCodeLensProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasCodeLensProvider.bindTo(contextKeyService); _this._hasDefinitionProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasDefinitionProvider.bindTo(contextKeyService); _this._hasDeclarationProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasDeclarationProvider.bindTo(contextKeyService); _this._hasImplementationProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasImplementationProvider.bindTo(contextKeyService); _this._hasTypeDefinitionProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasTypeDefinitionProvider.bindTo(contextKeyService); _this._hasHoverProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasHoverProvider.bindTo(contextKeyService); _this._hasDocumentHighlightProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasDocumentHighlightProvider.bindTo(contextKeyService); _this._hasDocumentSymbolProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasDocumentSymbolProvider.bindTo(contextKeyService); _this._hasReferenceProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasReferenceProvider.bindTo(contextKeyService); _this._hasRenameProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasRenameProvider.bindTo(contextKeyService); _this._hasDocumentFormattingProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasDocumentFormattingProvider.bindTo(contextKeyService); _this._hasDocumentSelectionFormattingProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasDocumentSelectionFormattingProvider.bindTo(contextKeyService); _this._hasSignatureHelpProvider = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasSignatureHelpProvider.bindTo(contextKeyService); _this._isInWalkThrough = __WEBPACK_IMPORTED_MODULE_20__common_editorContextKeys_js__["a" /* EditorContextKeys */].isInEmbeddedEditor.bindTo(contextKeyService); var update = function () { return _this._update(); }; // update when model/mode changes _this._register(editor.onDidChangeModel(update)); _this._register(editor.onDidChangeModelLanguage(update)); // update when registries change _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["d" /* CompletionProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["a" /* CodeActionProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["b" /* CodeLensProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["f" /* DefinitionProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["e" /* DeclarationProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["n" /* ImplementationProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["w" /* TypeDefinitionProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["m" /* HoverProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["h" /* DocumentHighlightProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["j" /* DocumentSymbolProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["r" /* ReferenceProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["s" /* RenameProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["g" /* DocumentFormattingEditProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["i" /* DocumentRangeFormattingEditProviderRegistry */].onDidChange(update)); _this._register(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["t" /* SignatureHelpProviderRegistry */].onDidChange(update)); update(); return _this; } EditorModeContext.prototype.dispose = function () { _super.prototype.dispose.call(this); }; EditorModeContext.prototype.reset = function () { this._langId.reset(); this._hasCompletionItemProvider.reset(); this._hasCodeActionsProvider.reset(); this._hasCodeLensProvider.reset(); this._hasDefinitionProvider.reset(); this._hasDeclarationProvider.reset(); this._hasImplementationProvider.reset(); this._hasTypeDefinitionProvider.reset(); this._hasHoverProvider.reset(); this._hasDocumentHighlightProvider.reset(); this._hasDocumentSymbolProvider.reset(); this._hasReferenceProvider.reset(); this._hasRenameProvider.reset(); this._hasDocumentFormattingProvider.reset(); this._hasDocumentSelectionFormattingProvider.reset(); this._hasSignatureHelpProvider.reset(); this._isInWalkThrough.reset(); }; EditorModeContext.prototype._update = function () { var model = this._editor.getModel(); if (!model) { this.reset(); return; } this._langId.set(model.getLanguageIdentifier().language); this._hasCompletionItemProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["d" /* CompletionProviderRegistry */].has(model)); this._hasCodeActionsProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["a" /* CodeActionProviderRegistry */].has(model)); this._hasCodeLensProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["b" /* CodeLensProviderRegistry */].has(model)); this._hasDefinitionProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["f" /* DefinitionProviderRegistry */].has(model)); this._hasDeclarationProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["e" /* DeclarationProviderRegistry */].has(model)); this._hasImplementationProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["n" /* ImplementationProviderRegistry */].has(model)); this._hasTypeDefinitionProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["w" /* TypeDefinitionProviderRegistry */].has(model)); this._hasHoverProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["m" /* HoverProviderRegistry */].has(model)); this._hasDocumentHighlightProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["h" /* DocumentHighlightProviderRegistry */].has(model)); this._hasDocumentSymbolProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["j" /* DocumentSymbolProviderRegistry */].has(model)); this._hasReferenceProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["r" /* ReferenceProviderRegistry */].has(model)); this._hasRenameProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["s" /* RenameProviderRegistry */].has(model)); this._hasSignatureHelpProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["t" /* SignatureHelpProviderRegistry */].has(model)); this._hasDocumentFormattingProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["g" /* DocumentFormattingEditProviderRegistry */].has(model) || __WEBPACK_IMPORTED_MODULE_21__common_modes_js__["i" /* DocumentRangeFormattingEditProviderRegistry */].has(model)); this._hasDocumentSelectionFormattingProvider.set(__WEBPACK_IMPORTED_MODULE_21__common_modes_js__["i" /* DocumentRangeFormattingEditProviderRegistry */].has(model)); this._isInWalkThrough.set(model.uri.scheme === __WEBPACK_IMPORTED_MODULE_7__base_common_network_js__["a" /* Schemas */].walkThroughSnippet); }; return EditorModeContext; }(__WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__["a" /* Disposable */])); var CodeEditorWidgetFocusTracker = /** @class */ (function (_super) { __extends(CodeEditorWidgetFocusTracker, _super); function CodeEditorWidgetFocusTracker(domElement) { var _this = _super.call(this) || this; _this._onChange = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_event_js__["a" /* Emitter */]()); _this.onChange = _this._onChange.event; _this._hasFocus = false; _this._domFocusTracker = _this._register(__WEBPACK_IMPORTED_MODULE_3__base_browser_dom_js__["N" /* trackFocus */](domElement)); _this._register(_this._domFocusTracker.onDidFocus(function () { _this._hasFocus = true; _this._onChange.fire(undefined); })); _this._register(_this._domFocusTracker.onDidBlur(function () { _this._hasFocus = false; _this._onChange.fire(undefined); })); return _this; } CodeEditorWidgetFocusTracker.prototype.hasFocus = function () { return this._hasFocus; }; return CodeEditorWidgetFocusTracker; }(__WEBPACK_IMPORTED_MODULE_6__base_common_lifecycle_js__["a" /* Disposable */])); var squigglyStart = encodeURIComponent("<svg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 6 3' enable-background='new 0 0 6 3' height='3' width='6'><g fill='"); var squigglyEnd = encodeURIComponent("'><polygon points='5.5,0 2.5,3 1.1,3 4.1,0'/><polygon points='4,0 6,2 6,0.6 5.4,0'/><polygon points='0,2 1,3 2.4,3 0,0.6'/></g></svg>"); function getSquigglySVGData(color) { return squigglyStart + encodeURIComponent(color.toString()) + squigglyEnd; } var dotdotdotStart = encodeURIComponent("<svg xmlns=\"http://www.w3.org/2000/svg\" height=\"3\" width=\"12\"><g fill=\""); var dotdotdotEnd = encodeURIComponent("\"><circle cx=\"1\" cy=\"1\" r=\"1\"/><circle cx=\"5\" cy=\"1\" r=\"1\"/><circle cx=\"9\" cy=\"1\" r=\"1\"/></g></svg>"); function getDotDotDotSVGData(color) { return dotdotdotStart + encodeURIComponent(color.toString()) + dotdotdotEnd; } Object(__WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var errorBorderColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["e" /* editorErrorBorder */]); if (errorBorderColor) { collector.addRule(".monaco-editor ." + "squiggly-error" /* EditorErrorDecoration */ + " { border-bottom: 4px double " + errorBorderColor + "; }"); } var errorForeground = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["f" /* editorErrorForeground */]); if (errorForeground) { collector.addRule(".monaco-editor ." + "squiggly-error" /* EditorErrorDecoration */ + " { background: url(\"data:image/svg+xml," + getSquigglySVGData(errorForeground) + "\") repeat-x bottom left; }"); } var warningBorderColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["s" /* editorWarningBorder */]); if (warningBorderColor) { collector.addRule(".monaco-editor ." + "squiggly-warning" /* EditorWarningDecoration */ + " { border-bottom: 4px double " + warningBorderColor + "; }"); } var warningForeground = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["t" /* editorWarningForeground */]); if (warningForeground) { collector.addRule(".monaco-editor ." + "squiggly-warning" /* EditorWarningDecoration */ + " { background: url(\"data:image/svg+xml," + getSquigglySVGData(warningForeground) + "\") repeat-x bottom left; }"); } var infoBorderColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["j" /* editorInfoBorder */]); if (infoBorderColor) { collector.addRule(".monaco-editor ." + "squiggly-info" /* EditorInfoDecoration */ + " { border-bottom: 4px double " + infoBorderColor + "; }"); } var infoForeground = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["k" /* editorInfoForeground */]); if (infoForeground) { collector.addRule(".monaco-editor ." + "squiggly-info" /* EditorInfoDecoration */ + " { background: url(\"data:image/svg+xml," + getSquigglySVGData(infoForeground) + "\") repeat-x bottom left; }"); } var hintBorderColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["g" /* editorHintBorder */]); if (hintBorderColor) { collector.addRule(".monaco-editor ." + "squiggly-hint" /* EditorHintDecoration */ + " { border-bottom: 2px dotted " + hintBorderColor + "; }"); } var hintForeground = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["h" /* editorHintForeground */]); if (hintForeground) { collector.addRule(".monaco-editor ." + "squiggly-hint" /* EditorHintDecoration */ + " { background: url(\"data:image/svg+xml," + getDotDotDotSVGData(hintForeground) + "\") no-repeat bottom left; }"); } var unnecessaryForeground = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["r" /* editorUnnecessaryCodeOpacity */]); if (unnecessaryForeground) { collector.addRule("." + SHOW_UNUSED_ENABLED_CLASS + " .monaco-editor ." + "squiggly-inline-unnecessary" /* EditorUnnecessaryInlineDecoration */ + " { opacity: " + unnecessaryForeground.rgba.a + "; }"); } var unnecessaryBorder = theme.getColor(__WEBPACK_IMPORTED_MODULE_22__common_view_editorColorRegistry_js__["q" /* editorUnnecessaryCodeBorder */]); if (unnecessaryBorder) { collector.addRule("." + SHOW_UNUSED_ENABLED_CLASS + " .monaco-editor ." + "squiggly-unnecessary" /* EditorUnnecessaryDecoration */ + " { border-bottom: 2px dashed " + unnecessaryBorder + "; }"); } }); /***/ }), /***/ 1697: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return MouseTarget; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return HitTestContext; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return MouseTargetFactory; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__editorDom_js__ = __webpack_require__(1575); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__viewParts_lines_viewLine_js__ = __webpack_require__(1698); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var MouseTarget = /** @class */ (function () { function MouseTarget(element, type, mouseColumn, position, range, detail) { if (mouseColumn === void 0) { mouseColumn = 0; } if (position === void 0) { position = null; } if (range === void 0) { range = null; } if (detail === void 0) { detail = null; } this.element = element; this.type = type; this.mouseColumn = mouseColumn; this.position = position; if (!range && position) { range = new __WEBPACK_IMPORTED_MODULE_5__common_core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column); } this.range = range; this.detail = detail; } MouseTarget._typeToString = function (type) { if (type === 1 /* TEXTAREA */) { return 'TEXTAREA'; } if (type === 2 /* GUTTER_GLYPH_MARGIN */) { return 'GUTTER_GLYPH_MARGIN'; } if (type === 3 /* GUTTER_LINE_NUMBERS */) { return 'GUTTER_LINE_NUMBERS'; } if (type === 4 /* GUTTER_LINE_DECORATIONS */) { return 'GUTTER_LINE_DECORATIONS'; } if (type === 5 /* GUTTER_VIEW_ZONE */) { return 'GUTTER_VIEW_ZONE'; } if (type === 6 /* CONTENT_TEXT */) { return 'CONTENT_TEXT'; } if (type === 7 /* CONTENT_EMPTY */) { return 'CONTENT_EMPTY'; } if (type === 8 /* CONTENT_VIEW_ZONE */) { return 'CONTENT_VIEW_ZONE'; } if (type === 9 /* CONTENT_WIDGET */) { return 'CONTENT_WIDGET'; } if (type === 10 /* OVERVIEW_RULER */) { return 'OVERVIEW_RULER'; } if (type === 11 /* SCROLLBAR */) { return 'SCROLLBAR'; } if (type === 12 /* OVERLAY_WIDGET */) { return 'OVERLAY_WIDGET'; } return 'UNKNOWN'; }; MouseTarget.toString = function (target) { return this._typeToString(target.type) + ': ' + target.position + ' - ' + target.range + ' - ' + target.detail; }; MouseTarget.prototype.toString = function () { return MouseTarget.toString(this); }; return MouseTarget; }()); var ElementPath = /** @class */ (function () { function ElementPath() { } ElementPath.isTextArea = function (path) { return (path.length === 2 && path[0] === 3 /* OverflowGuard */ && path[1] === 6 /* TextArea */); }; ElementPath.isChildOfViewLines = function (path) { return (path.length >= 4 && path[0] === 3 /* OverflowGuard */ && path[3] === 7 /* ViewLines */); }; ElementPath.isStrictChildOfViewLines = function (path) { return (path.length > 4 && path[0] === 3 /* OverflowGuard */ && path[3] === 7 /* ViewLines */); }; ElementPath.isChildOfScrollableElement = function (path) { return (path.length >= 2 && path[0] === 3 /* OverflowGuard */ && path[1] === 5 /* ScrollableElement */); }; ElementPath.isChildOfMinimap = function (path) { return (path.length >= 2 && path[0] === 3 /* OverflowGuard */ && path[1] === 8 /* Minimap */); }; ElementPath.isChildOfContentWidgets = function (path) { return (path.length >= 4 && path[0] === 3 /* OverflowGuard */ && path[3] === 1 /* ContentWidgets */); }; ElementPath.isChildOfOverflowingContentWidgets = function (path) { return (path.length >= 1 && path[0] === 2 /* OverflowingContentWidgets */); }; ElementPath.isChildOfOverlayWidgets = function (path) { return (path.length >= 2 && path[0] === 3 /* OverflowGuard */ && path[1] === 4 /* OverlayWidgets */); }; return ElementPath; }()); var HitTestContext = /** @class */ (function () { function HitTestContext(context, viewHelper, lastViewCursorsRenderData) { this.model = context.model; this.layoutInfo = context.configuration.editor.layoutInfo; this.viewDomNode = viewHelper.viewDomNode; this.lineHeight = context.configuration.editor.lineHeight; this.typicalHalfwidthCharacterWidth = context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; this.lastViewCursorsRenderData = lastViewCursorsRenderData; this._context = context; this._viewHelper = viewHelper; } HitTestContext.prototype.getZoneAtCoord = function (mouseVerticalOffset) { return HitTestContext.getZoneAtCoord(this._context, mouseVerticalOffset); }; HitTestContext.getZoneAtCoord = function (context, mouseVerticalOffset) { // The target is either a view zone or the empty space after the last view-line var viewZoneWhitespace = context.viewLayout.getWhitespaceAtVerticalOffset(mouseVerticalOffset); if (viewZoneWhitespace) { var viewZoneMiddle = viewZoneWhitespace.verticalOffset + viewZoneWhitespace.height / 2, lineCount = context.model.getLineCount(), positionBefore = null, position = void 0, positionAfter = null; if (viewZoneWhitespace.afterLineNumber !== lineCount) { // There are more lines after this view zone positionAfter = new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](viewZoneWhitespace.afterLineNumber + 1, 1); } if (viewZoneWhitespace.afterLineNumber > 0) { // There are more lines above this view zone positionBefore = new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](viewZoneWhitespace.afterLineNumber, context.model.getLineMaxColumn(viewZoneWhitespace.afterLineNumber)); } if (positionAfter === null) { position = positionBefore; } else if (positionBefore === null) { position = positionAfter; } else if (mouseVerticalOffset < viewZoneMiddle) { position = positionBefore; } else { position = positionAfter; } return { viewZoneId: viewZoneWhitespace.id, afterLineNumber: viewZoneWhitespace.afterLineNumber, positionBefore: positionBefore, positionAfter: positionAfter, position: position }; } return null; }; HitTestContext.prototype.getFullLineRangeAtCoord = function (mouseVerticalOffset) { if (this._context.viewLayout.isAfterLines(mouseVerticalOffset)) { // Below the last line var lineNumber_1 = this._context.model.getLineCount(); var maxLineColumn_1 = this._context.model.getLineMaxColumn(lineNumber_1); return { range: new __WEBPACK_IMPORTED_MODULE_5__common_core_range_js__["a" /* Range */](lineNumber_1, maxLineColumn_1, lineNumber_1, maxLineColumn_1), isAfterLines: true }; } var lineNumber = this._context.viewLayout.getLineNumberAtVerticalOffset(mouseVerticalOffset); var maxLineColumn = this._context.model.getLineMaxColumn(lineNumber); return { range: new __WEBPACK_IMPORTED_MODULE_5__common_core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, maxLineColumn), isAfterLines: false }; }; HitTestContext.prototype.getLineNumberAtVerticalOffset = function (mouseVerticalOffset) { return this._context.viewLayout.getLineNumberAtVerticalOffset(mouseVerticalOffset); }; HitTestContext.prototype.isAfterLines = function (mouseVerticalOffset) { return this._context.viewLayout.isAfterLines(mouseVerticalOffset); }; HitTestContext.prototype.getVerticalOffsetForLineNumber = function (lineNumber) { return this._context.viewLayout.getVerticalOffsetForLineNumber(lineNumber); }; HitTestContext.prototype.findAttribute = function (element, attr) { return HitTestContext._findAttribute(element, attr, this._viewHelper.viewDomNode); }; HitTestContext._findAttribute = function (element, attr, stopAt) { while (element && element !== document.body) { if (element.hasAttribute && element.hasAttribute(attr)) { return element.getAttribute(attr); } if (element === stopAt) { return null; } element = element.parentNode; } return null; }; HitTestContext.prototype.getLineWidth = function (lineNumber) { return this._viewHelper.getLineWidth(lineNumber); }; HitTestContext.prototype.visibleRangeForPosition2 = function (lineNumber, column) { return this._viewHelper.visibleRangeForPosition2(lineNumber, column); }; HitTestContext.prototype.getPositionFromDOMInfo = function (spanNode, offset) { return this._viewHelper.getPositionFromDOMInfo(spanNode, offset); }; HitTestContext.prototype.getCurrentScrollTop = function () { return this._context.viewLayout.getCurrentScrollTop(); }; HitTestContext.prototype.getCurrentScrollLeft = function () { return this._context.viewLayout.getCurrentScrollLeft(); }; return HitTestContext; }()); var BareHitTestRequest = /** @class */ (function () { function BareHitTestRequest(ctx, editorPos, pos) { this.editorPos = editorPos; this.pos = pos; this.mouseVerticalOffset = Math.max(0, ctx.getCurrentScrollTop() + pos.y - editorPos.y); this.mouseContentHorizontalOffset = ctx.getCurrentScrollLeft() + pos.x - editorPos.x - ctx.layoutInfo.contentLeft; this.isInMarginArea = (pos.x - editorPos.x < ctx.layoutInfo.contentLeft && pos.x - editorPos.x >= ctx.layoutInfo.glyphMarginLeft); this.isInContentArea = !this.isInMarginArea; this.mouseColumn = Math.max(0, MouseTargetFactory._getMouseColumn(this.mouseContentHorizontalOffset, ctx.typicalHalfwidthCharacterWidth)); } return BareHitTestRequest; }()); var HitTestRequest = /** @class */ (function (_super) { __extends(HitTestRequest, _super); function HitTestRequest(ctx, editorPos, pos, target) { var _this = _super.call(this, ctx, editorPos, pos) || this; _this._ctx = ctx; if (target) { _this.target = target; _this.targetPath = __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["a" /* PartFingerprints */].collect(target, ctx.viewDomNode); } else { _this.target = null; _this.targetPath = new Uint8Array(0); } return _this; } HitTestRequest.prototype.toString = function () { return "pos(" + this.pos.x + "," + this.pos.y + "), editorPos(" + this.editorPos.x + "," + this.editorPos.y + "), mouseVerticalOffset: " + this.mouseVerticalOffset + ", mouseContentHorizontalOffset: " + this.mouseContentHorizontalOffset + "\n\ttarget: " + (this.target ? this.target.outerHTML : null); }; HitTestRequest.prototype.fulfill = function (type, position, range, detail) { if (position === void 0) { position = null; } if (range === void 0) { range = null; } if (detail === void 0) { detail = null; } return new MouseTarget(this.target, type, this.mouseColumn, position, range, detail); }; HitTestRequest.prototype.withTarget = function (target) { return new HitTestRequest(this._ctx, this.editorPos, this.pos, target); }; return HitTestRequest; }(BareHitTestRequest)); var EMPTY_CONTENT_AFTER_LINES = { isAfterLines: true }; function createEmptyContentDataInLines(horizontalDistanceToText) { return { isAfterLines: false, horizontalDistanceToText: horizontalDistanceToText }; } var MouseTargetFactory = /** @class */ (function () { function MouseTargetFactory(context, viewHelper) { this._context = context; this._viewHelper = viewHelper; } MouseTargetFactory.prototype.mouseTargetIsWidget = function (e) { var t = e.target; var path = __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["a" /* PartFingerprints */].collect(t, this._viewHelper.viewDomNode); // Is it a content widget? if (ElementPath.isChildOfContentWidgets(path) || ElementPath.isChildOfOverflowingContentWidgets(path)) { return true; } // Is it an overlay widget? if (ElementPath.isChildOfOverlayWidgets(path)) { return true; } return false; }; MouseTargetFactory.prototype.createMouseTarget = function (lastViewCursorsRenderData, editorPos, pos, target) { var ctx = new HitTestContext(this._context, this._viewHelper, lastViewCursorsRenderData); var request = new HitTestRequest(ctx, editorPos, pos, target); try { var r = MouseTargetFactory._createMouseTarget(ctx, request, false); // console.log(r.toString()); return r; } catch (err) { // console.log(err); return request.fulfill(0 /* UNKNOWN */); } }; MouseTargetFactory._createMouseTarget = function (ctx, request, domHitTestExecuted) { // console.log(`${domHitTestExecuted ? '=>' : ''}CAME IN REQUEST: ${request}`); // First ensure the request has a target if (request.target === null) { if (domHitTestExecuted) { // Still no target... and we have already executed hit test... return request.fulfill(0 /* UNKNOWN */); } var hitTestResult = MouseTargetFactory._doHitTest(ctx, request); if (hitTestResult.position) { return MouseTargetFactory.createMouseTargetFromHitTestPosition(ctx, request, hitTestResult.position.lineNumber, hitTestResult.position.column); } return this._createMouseTarget(ctx, request.withTarget(hitTestResult.hitTarget), true); } // we know for a fact that request.target is not null var resolvedRequest = request; var result = null; result = result || MouseTargetFactory._hitTestContentWidget(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestOverlayWidget(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestMinimap(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestScrollbarSlider(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestViewZone(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestMargin(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestViewCursor(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestTextArea(ctx, resolvedRequest); result = result || MouseTargetFactory._hitTestViewLines(ctx, resolvedRequest, domHitTestExecuted); result = result || MouseTargetFactory._hitTestScrollbar(ctx, resolvedRequest); return (result || request.fulfill(0 /* UNKNOWN */)); }; MouseTargetFactory._hitTestContentWidget = function (ctx, request) { // Is it a content widget? if (ElementPath.isChildOfContentWidgets(request.targetPath) || ElementPath.isChildOfOverflowingContentWidgets(request.targetPath)) { var widgetId = ctx.findAttribute(request.target, 'widgetId'); if (widgetId) { return request.fulfill(9 /* CONTENT_WIDGET */, null, null, widgetId); } else { return request.fulfill(0 /* UNKNOWN */); } } return null; }; MouseTargetFactory._hitTestOverlayWidget = function (ctx, request) { // Is it an overlay widget? if (ElementPath.isChildOfOverlayWidgets(request.targetPath)) { var widgetId = ctx.findAttribute(request.target, 'widgetId'); if (widgetId) { return request.fulfill(12 /* OVERLAY_WIDGET */, null, null, widgetId); } else { return request.fulfill(0 /* UNKNOWN */); } } return null; }; MouseTargetFactory._hitTestViewCursor = function (ctx, request) { if (request.target) { // Check if we've hit a painted cursor var lastViewCursorsRenderData = ctx.lastViewCursorsRenderData; for (var _i = 0, lastViewCursorsRenderData_1 = lastViewCursorsRenderData; _i < lastViewCursorsRenderData_1.length; _i++) { var d = lastViewCursorsRenderData_1[_i]; if (request.target === d.domNode) { return request.fulfill(6 /* CONTENT_TEXT */, d.position); } } } if (request.isInContentArea) { // Edge has a bug when hit-testing the exact position of a cursor, // instead of returning the correct dom node, it returns the // first or last rendered view line dom node, therefore help it out // and first check if we are on top of a cursor var lastViewCursorsRenderData = ctx.lastViewCursorsRenderData; var mouseContentHorizontalOffset = request.mouseContentHorizontalOffset; var mouseVerticalOffset = request.mouseVerticalOffset; for (var _a = 0, lastViewCursorsRenderData_2 = lastViewCursorsRenderData; _a < lastViewCursorsRenderData_2.length; _a++) { var d = lastViewCursorsRenderData_2[_a]; if (mouseContentHorizontalOffset < d.contentLeft) { // mouse position is to the left of the cursor continue; } if (mouseContentHorizontalOffset > d.contentLeft + d.width) { // mouse position is to the right of the cursor continue; } var cursorVerticalOffset = ctx.getVerticalOffsetForLineNumber(d.position.lineNumber); if (cursorVerticalOffset <= mouseVerticalOffset && mouseVerticalOffset <= cursorVerticalOffset + d.height) { return request.fulfill(6 /* CONTENT_TEXT */, d.position); } } } return null; }; MouseTargetFactory._hitTestViewZone = function (ctx, request) { var viewZoneData = ctx.getZoneAtCoord(request.mouseVerticalOffset); if (viewZoneData) { var mouseTargetType = (request.isInContentArea ? 8 /* CONTENT_VIEW_ZONE */ : 5 /* GUTTER_VIEW_ZONE */); return request.fulfill(mouseTargetType, viewZoneData.position, null, viewZoneData); } return null; }; MouseTargetFactory._hitTestTextArea = function (ctx, request) { // Is it the textarea? if (ElementPath.isTextArea(request.targetPath)) { return request.fulfill(1 /* TEXTAREA */); } return null; }; MouseTargetFactory._hitTestMargin = function (ctx, request) { if (request.isInMarginArea) { var res = ctx.getFullLineRangeAtCoord(request.mouseVerticalOffset); var pos = res.range.getStartPosition(); var offset = Math.abs(request.pos.x - request.editorPos.x); var detail = { isAfterLines: res.isAfterLines, glyphMarginLeft: ctx.layoutInfo.glyphMarginLeft, glyphMarginWidth: ctx.layoutInfo.glyphMarginWidth, lineNumbersWidth: ctx.layoutInfo.lineNumbersWidth, offsetX: offset }; offset -= ctx.layoutInfo.glyphMarginLeft; if (offset <= ctx.layoutInfo.glyphMarginWidth) { // On the glyph margin return request.fulfill(2 /* GUTTER_GLYPH_MARGIN */, pos, res.range, detail); } offset -= ctx.layoutInfo.glyphMarginWidth; if (offset <= ctx.layoutInfo.lineNumbersWidth) { // On the line numbers return request.fulfill(3 /* GUTTER_LINE_NUMBERS */, pos, res.range, detail); } offset -= ctx.layoutInfo.lineNumbersWidth; // On the line decorations return request.fulfill(4 /* GUTTER_LINE_DECORATIONS */, pos, res.range, detail); } return null; }; MouseTargetFactory._hitTestViewLines = function (ctx, request, domHitTestExecuted) { if (!ElementPath.isChildOfViewLines(request.targetPath)) { return null; } // Check if it is below any lines and any view zones if (ctx.isAfterLines(request.mouseVerticalOffset)) { // This most likely indicates it happened after the last view-line var lineCount = ctx.model.getLineCount(); var maxLineColumn = ctx.model.getLineMaxColumn(lineCount); return request.fulfill(7 /* CONTENT_EMPTY */, new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](lineCount, maxLineColumn), undefined, EMPTY_CONTENT_AFTER_LINES); } if (domHitTestExecuted) { // Check if we are hitting a view-line (can happen in the case of inline decorations on empty lines) // See https://github.com/Microsoft/vscode/issues/46942 if (ElementPath.isStrictChildOfViewLines(request.targetPath)) { var lineNumber = ctx.getLineNumberAtVerticalOffset(request.mouseVerticalOffset); if (ctx.model.getLineLength(lineNumber) === 0) { var lineWidth = ctx.getLineWidth(lineNumber); var detail = createEmptyContentDataInLines(request.mouseContentHorizontalOffset - lineWidth); return request.fulfill(7 /* CONTENT_EMPTY */, new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](lineNumber, 1), undefined, detail); } } // We have already executed hit test... return request.fulfill(0 /* UNKNOWN */); } var hitTestResult = MouseTargetFactory._doHitTest(ctx, request); if (hitTestResult.position) { return MouseTargetFactory.createMouseTargetFromHitTestPosition(ctx, request, hitTestResult.position.lineNumber, hitTestResult.position.column); } return this._createMouseTarget(ctx, request.withTarget(hitTestResult.hitTarget), true); }; MouseTargetFactory._hitTestMinimap = function (ctx, request) { if (ElementPath.isChildOfMinimap(request.targetPath)) { var possibleLineNumber = ctx.getLineNumberAtVerticalOffset(request.mouseVerticalOffset); var maxColumn = ctx.model.getLineMaxColumn(possibleLineNumber); return request.fulfill(11 /* SCROLLBAR */, new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](possibleLineNumber, maxColumn)); } return null; }; MouseTargetFactory._hitTestScrollbarSlider = function (ctx, request) { if (ElementPath.isChildOfScrollableElement(request.targetPath)) { if (request.target && request.target.nodeType === 1) { var className = request.target.className; if (className && /\b(slider|scrollbar)\b/.test(className)) { var possibleLineNumber = ctx.getLineNumberAtVerticalOffset(request.mouseVerticalOffset); var maxColumn = ctx.model.getLineMaxColumn(possibleLineNumber); return request.fulfill(11 /* SCROLLBAR */, new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](possibleLineNumber, maxColumn)); } } } return null; }; MouseTargetFactory._hitTestScrollbar = function (ctx, request) { // Is it the overview ruler? // Is it a child of the scrollable element? if (ElementPath.isChildOfScrollableElement(request.targetPath)) { var possibleLineNumber = ctx.getLineNumberAtVerticalOffset(request.mouseVerticalOffset); var maxColumn = ctx.model.getLineMaxColumn(possibleLineNumber); return request.fulfill(11 /* SCROLLBAR */, new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](possibleLineNumber, maxColumn)); } return null; }; MouseTargetFactory.prototype.getMouseColumn = function (editorPos, pos) { var layoutInfo = this._context.configuration.editor.layoutInfo; var mouseContentHorizontalOffset = this._context.viewLayout.getCurrentScrollLeft() + pos.x - editorPos.x - layoutInfo.contentLeft; return MouseTargetFactory._getMouseColumn(mouseContentHorizontalOffset, this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth); }; MouseTargetFactory._getMouseColumn = function (mouseContentHorizontalOffset, typicalHalfwidthCharacterWidth) { if (mouseContentHorizontalOffset < 0) { return 1; } var chars = Math.round(mouseContentHorizontalOffset / typicalHalfwidthCharacterWidth); return (chars + 1); }; MouseTargetFactory.createMouseTargetFromHitTestPosition = function (ctx, request, lineNumber, column) { var pos = new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](lineNumber, column); var lineWidth = ctx.getLineWidth(lineNumber); if (request.mouseContentHorizontalOffset > lineWidth) { if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["f" /* isEdge */] && pos.column === 1) { // See https://github.com/Microsoft/vscode/issues/10875 var detail_1 = createEmptyContentDataInLines(request.mouseContentHorizontalOffset - lineWidth); return request.fulfill(7 /* CONTENT_EMPTY */, new __WEBPACK_IMPORTED_MODULE_4__common_core_position_js__["a" /* Position */](lineNumber, ctx.model.getLineMaxColumn(lineNumber)), undefined, detail_1); } var detail = createEmptyContentDataInLines(request.mouseContentHorizontalOffset - lineWidth); return request.fulfill(7 /* CONTENT_EMPTY */, pos, undefined, detail); } var visibleRange = ctx.visibleRangeForPosition2(lineNumber, column); if (!visibleRange) { return request.fulfill(0 /* UNKNOWN */, pos); } var columnHorizontalOffset = visibleRange.left; if (request.mouseContentHorizontalOffset === columnHorizontalOffset) { return request.fulfill(6 /* CONTENT_TEXT */, pos); } var points = []; points.push({ offset: visibleRange.left, column: column }); if (column > 1) { var visibleRange_1 = ctx.visibleRangeForPosition2(lineNumber, column - 1); if (visibleRange_1) { points.push({ offset: visibleRange_1.left, column: column - 1 }); } } var lineMaxColumn = ctx.model.getLineMaxColumn(lineNumber); if (column < lineMaxColumn) { var visibleRange_2 = ctx.visibleRangeForPosition2(lineNumber, column + 1); if (visibleRange_2) { points.push({ offset: visibleRange_2.left, column: column + 1 }); } } points.sort(function (a, b) { return a.offset - b.offset; }); for (var i = 1; i < points.length; i++) { var prev = points[i - 1]; var curr = points[i]; if (prev.offset <= request.mouseContentHorizontalOffset && request.mouseContentHorizontalOffset <= curr.offset) { var rng = new __WEBPACK_IMPORTED_MODULE_5__common_core_range_js__["a" /* Range */](lineNumber, prev.column, lineNumber, curr.column); return request.fulfill(6 /* CONTENT_TEXT */, pos, rng); } } return request.fulfill(6 /* CONTENT_TEXT */, pos); }; /** * Most probably WebKit browsers and Edge */ MouseTargetFactory._doHitTestWithCaretRangeFromPoint = function (ctx, request) { // In Chrome, especially on Linux it is possible to click between lines, // so try to adjust the `hity` below so that it lands in the center of a line var lineNumber = ctx.getLineNumberAtVerticalOffset(request.mouseVerticalOffset); var lineVerticalOffset = ctx.getVerticalOffsetForLineNumber(lineNumber); var lineCenteredVerticalOffset = lineVerticalOffset + Math.floor(ctx.lineHeight / 2); var adjustedPageY = request.pos.y + (lineCenteredVerticalOffset - request.mouseVerticalOffset); if (adjustedPageY <= request.editorPos.y) { adjustedPageY = request.editorPos.y + 1; } if (adjustedPageY >= request.editorPos.y + ctx.layoutInfo.height) { adjustedPageY = request.editorPos.y + ctx.layoutInfo.height - 1; } var adjustedPage = new __WEBPACK_IMPORTED_MODULE_1__editorDom_js__["e" /* PageCoordinates */](request.pos.x, adjustedPageY); var r = this._actualDoHitTestWithCaretRangeFromPoint(ctx, adjustedPage.toClientCoordinates()); if (r.position) { return r; } // Also try to hit test without the adjustment (for the edge cases that we are near the top or bottom) return this._actualDoHitTestWithCaretRangeFromPoint(ctx, request.pos.toClientCoordinates()); }; MouseTargetFactory._actualDoHitTestWithCaretRangeFromPoint = function (ctx, coords) { var range = document.caretRangeFromPoint(coords.clientX, coords.clientY); if (!range || !range.startContainer) { return { position: null, hitTarget: null }; } // Chrome always hits a TEXT_NODE, while Edge sometimes hits a token span var startContainer = range.startContainer; var hitTarget = null; if (startContainer.nodeType === startContainer.TEXT_NODE) { // startContainer is expected to be the token text var parent1 = startContainer.parentNode; // expected to be the token span var parent2 = parent1 ? parent1.parentNode : null; // expected to be the view line container span var parent3 = parent2 ? parent2.parentNode : null; // expected to be the view line div var parent3ClassName = parent3 && parent3.nodeType === parent3.ELEMENT_NODE ? parent3.className : null; if (parent3ClassName === __WEBPACK_IMPORTED_MODULE_3__viewParts_lines_viewLine_js__["b" /* ViewLine */].CLASS_NAME) { var p = ctx.getPositionFromDOMInfo(parent1, range.startOffset); return { position: p, hitTarget: null }; } else { hitTarget = startContainer.parentNode; } } else if (startContainer.nodeType === startContainer.ELEMENT_NODE) { // startContainer is expected to be the token span var parent1 = startContainer.parentNode; // expected to be the view line container span var parent2 = parent1 ? parent1.parentNode : null; // expected to be the view line div var parent2ClassName = parent2 && parent2.nodeType === parent2.ELEMENT_NODE ? parent2.className : null; if (parent2ClassName === __WEBPACK_IMPORTED_MODULE_3__viewParts_lines_viewLine_js__["b" /* ViewLine */].CLASS_NAME) { var p = ctx.getPositionFromDOMInfo(startContainer, startContainer.textContent.length); return { position: p, hitTarget: null }; } else { hitTarget = startContainer; } } return { position: null, hitTarget: hitTarget }; }; /** * Most probably Gecko */ MouseTargetFactory._doHitTestWithCaretPositionFromPoint = function (ctx, coords) { var hitResult = document.caretPositionFromPoint(coords.clientX, coords.clientY); if (hitResult.offsetNode.nodeType === hitResult.offsetNode.TEXT_NODE) { // offsetNode is expected to be the token text var parent1 = hitResult.offsetNode.parentNode; // expected to be the token span var parent2 = parent1 ? parent1.parentNode : null; // expected to be the view line container span var parent3 = parent2 ? parent2.parentNode : null; // expected to be the view line div var parent3ClassName = parent3 && parent3.nodeType === parent3.ELEMENT_NODE ? parent3.className : null; if (parent3ClassName === __WEBPACK_IMPORTED_MODULE_3__viewParts_lines_viewLine_js__["b" /* ViewLine */].CLASS_NAME) { var p = ctx.getPositionFromDOMInfo(hitResult.offsetNode.parentNode, hitResult.offset); return { position: p, hitTarget: null }; } else { return { position: null, hitTarget: hitResult.offsetNode.parentNode }; } } return { position: null, hitTarget: hitResult.offsetNode }; }; /** * Most probably IE */ MouseTargetFactory._doHitTestWithMoveToPoint = function (ctx, coords) { var resultPosition = null; var resultHitTarget = null; var textRange = document.body.createTextRange(); try { textRange.moveToPoint(coords.clientX, coords.clientY); } catch (err) { return { position: null, hitTarget: null }; } textRange.collapse(true); // Now, let's do our best to figure out what we hit :) var parentElement = textRange ? textRange.parentElement() : null; var parent1 = parentElement ? parentElement.parentNode : null; var parent2 = parent1 ? parent1.parentNode : null; var parent2ClassName = parent2 && parent2.nodeType === parent2.ELEMENT_NODE ? parent2.className : ''; if (parent2ClassName === __WEBPACK_IMPORTED_MODULE_3__viewParts_lines_viewLine_js__["b" /* ViewLine */].CLASS_NAME) { var rangeToContainEntireSpan = textRange.duplicate(); rangeToContainEntireSpan.moveToElementText(parentElement); rangeToContainEntireSpan.setEndPoint('EndToStart', textRange); resultPosition = ctx.getPositionFromDOMInfo(parentElement, rangeToContainEntireSpan.text.length); // Move range out of the span node, IE doesn't like having many ranges in // the same spot and will act badly for lines containing dashes ('-') rangeToContainEntireSpan.moveToElementText(ctx.viewDomNode); } else { // Looks like we've hit the hover or something foreign resultHitTarget = parentElement; } // Move range out of the span node, IE doesn't like having many ranges in // the same spot and will act badly for lines containing dashes ('-') textRange.moveToElementText(ctx.viewDomNode); return { position: resultPosition, hitTarget: resultHitTarget }; }; MouseTargetFactory._doHitTest = function (ctx, request) { // State of the art (18.10.2012): // The spec says browsers should support document.caretPositionFromPoint, but nobody implemented it (http://dev.w3.org/csswg/cssom-view/) // Gecko: // - they tried to implement it once, but failed: https://bugzilla.mozilla.org/show_bug.cgi?id=654352 // - however, they do give out rangeParent/rangeOffset properties on mouse events // Webkit: // - they have implemented a previous version of the spec which was using document.caretRangeFromPoint // IE: // - they have a proprietary method on ranges, moveToPoint: https://msdn.microsoft.com/en-us/library/ie/ms536632(v=vs.85).aspx // 24.08.2016: Edge has added WebKit's document.caretRangeFromPoint, but it is quite buggy // - when hit testing the cursor it returns the first or the last line in the viewport // - it inconsistently hits text nodes or span nodes, while WebKit only hits text nodes // - when toggling render whitespace on, and hit testing in the empty content after a line, it always hits offset 0 of the first span of the line // Thank you browsers for making this so 'easy' :) if (document.caretRangeFromPoint) { return this._doHitTestWithCaretRangeFromPoint(ctx, request); } else if (document.caretPositionFromPoint) { return this._doHitTestWithCaretPositionFromPoint(ctx, request.pos.toClientCoordinates()); } else if (document.body.createTextRange) { return this._doHitTestWithMoveToPoint(ctx, request.pos.toClientCoordinates()); } return { position: null, hitTarget: null }; }; return MouseTargetFactory; }()); /***/ }), /***/ 1698: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DomReadingContext; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ViewLineOptions; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ViewLine; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__rangeUtil_js__ = __webpack_require__(1932); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_view_renderingContext_js__ = __webpack_require__(1399); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_viewLayout_lineDecorations_js__ = __webpack_require__(1570); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__ = __webpack_require__(1446); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var canUseFastRenderedViewLine = (function () { if (__WEBPACK_IMPORTED_MODULE_2__base_common_platform_js__["e" /* isNative */]) { // In VSCode we know very well when the zoom level changes return true; } if (__WEBPACK_IMPORTED_MODULE_2__base_common_platform_js__["c" /* isLinux */] || __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["i" /* isFirefox */] || __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["l" /* isSafari */]) { // On Linux, it appears that zooming affects char widths (in pixels), which is unexpected. // -- // Even though we read character widths correctly, having read them at a specific zoom level // does not mean they are the same at the current zoom level. // -- // This could be improved if we ever figure out how to get an event when browsers zoom, // but until then we have to stick with reading client rects. // -- // The same has been observed with Firefox on Windows7 // -- // The same has been oversved with Safari return false; } return true; })(); var alwaysRenderInlineSelection = (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["g" /* isEdgeOrIE */]); var DomReadingContext = /** @class */ (function () { function DomReadingContext(domNode, endNode) { this._domNode = domNode; this._clientRectDeltaLeft = 0; this._clientRectDeltaLeftRead = false; this.endNode = endNode; } Object.defineProperty(DomReadingContext.prototype, "clientRectDeltaLeft", { get: function () { if (!this._clientRectDeltaLeftRead) { this._clientRectDeltaLeftRead = true; this._clientRectDeltaLeft = this._domNode.getBoundingClientRect().left; } return this._clientRectDeltaLeft; }, enumerable: true, configurable: true }); return DomReadingContext; }()); var ViewLineOptions = /** @class */ (function () { function ViewLineOptions(config, themeType) { this.themeType = themeType; this.renderWhitespace = config.editor.viewInfo.renderWhitespace; this.renderControlCharacters = config.editor.viewInfo.renderControlCharacters; this.spaceWidth = config.editor.fontInfo.spaceWidth; this.useMonospaceOptimizations = (config.editor.fontInfo.isMonospace && !config.editor.viewInfo.disableMonospaceOptimizations); this.canUseHalfwidthRightwardsArrow = config.editor.fontInfo.canUseHalfwidthRightwardsArrow; this.lineHeight = config.editor.lineHeight; this.stopRenderingLineAfter = config.editor.viewInfo.stopRenderingLineAfter; this.fontLigatures = config.editor.viewInfo.fontLigatures; } ViewLineOptions.prototype.equals = function (other) { return (this.themeType === other.themeType && this.renderWhitespace === other.renderWhitespace && this.renderControlCharacters === other.renderControlCharacters && this.spaceWidth === other.spaceWidth && this.useMonospaceOptimizations === other.useMonospaceOptimizations && this.canUseHalfwidthRightwardsArrow === other.canUseHalfwidthRightwardsArrow && this.lineHeight === other.lineHeight && this.stopRenderingLineAfter === other.stopRenderingLineAfter && this.fontLigatures === other.fontLigatures); }; return ViewLineOptions; }()); var ViewLine = /** @class */ (function () { function ViewLine(options) { this._options = options; this._isMaybeInvalid = true; this._renderedViewLine = null; } // --- begin IVisibleLineData ViewLine.prototype.getDomNode = function () { if (this._renderedViewLine && this._renderedViewLine.domNode) { return this._renderedViewLine.domNode.domNode; } return null; }; ViewLine.prototype.setDomNode = function (domNode) { if (this._renderedViewLine) { this._renderedViewLine.domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(domNode); } else { throw new Error('I have no rendered view line to set the dom node to...'); } }; ViewLine.prototype.onContentChanged = function () { this._isMaybeInvalid = true; }; ViewLine.prototype.onTokensChanged = function () { this._isMaybeInvalid = true; }; ViewLine.prototype.onDecorationsChanged = function () { this._isMaybeInvalid = true; }; ViewLine.prototype.onOptionsChanged = function (newOptions) { this._isMaybeInvalid = true; this._options = newOptions; }; ViewLine.prototype.onSelectionChanged = function () { if (alwaysRenderInlineSelection || this._options.themeType === __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__["b" /* HIGH_CONTRAST */]) { this._isMaybeInvalid = true; return true; } return false; }; ViewLine.prototype.renderLine = function (lineNumber, deltaTop, viewportData, sb) { if (this._isMaybeInvalid === false) { // it appears that nothing relevant has changed return false; } this._isMaybeInvalid = false; var lineData = viewportData.getViewLineRenderingData(lineNumber); var options = this._options; var actualInlineDecorations = __WEBPACK_IMPORTED_MODULE_5__common_viewLayout_lineDecorations_js__["a" /* LineDecoration */].filter(lineData.inlineDecorations, lineNumber, lineData.minColumn, lineData.maxColumn); if (alwaysRenderInlineSelection || options.themeType === __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__["b" /* HIGH_CONTRAST */]) { var selections = viewportData.selections; for (var _i = 0, selections_1 = selections; _i < selections_1.length; _i++) { var selection = selections_1[_i]; if (selection.endLineNumber < lineNumber || selection.startLineNumber > lineNumber) { // Selection does not intersect line continue; } var startColumn = (selection.startLineNumber === lineNumber ? selection.startColumn : lineData.minColumn); var endColumn = (selection.endLineNumber === lineNumber ? selection.endColumn : lineData.maxColumn); if (startColumn < endColumn) { actualInlineDecorations.push(new __WEBPACK_IMPORTED_MODULE_5__common_viewLayout_lineDecorations_js__["a" /* LineDecoration */](startColumn, endColumn, 'inline-selected-text', 0 /* Regular */)); } } } var renderLineInput = new __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["b" /* RenderLineInput */](options.useMonospaceOptimizations, options.canUseHalfwidthRightwardsArrow, lineData.content, lineData.continuesWithWrappedLine, lineData.isBasicASCII, lineData.containsRTL, lineData.minColumn - 1, lineData.tokens, actualInlineDecorations, lineData.tabSize, options.spaceWidth, options.stopRenderingLineAfter, options.renderWhitespace, options.renderControlCharacters, options.fontLigatures); if (this._renderedViewLine && this._renderedViewLine.input.equals(renderLineInput)) { // no need to do anything, we have the same render input return false; } sb.appendASCIIString('<div style="top:'); sb.appendASCIIString(String(deltaTop)); sb.appendASCIIString('px;height:'); sb.appendASCIIString(String(this._options.lineHeight)); sb.appendASCIIString('px;" class="'); sb.appendASCIIString(ViewLine.CLASS_NAME); sb.appendASCIIString('">'); var output = Object(__WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["c" /* renderViewLine */])(renderLineInput, sb); sb.appendASCIIString('</div>'); var renderedViewLine = null; if (canUseFastRenderedViewLine && lineData.isBasicASCII && options.useMonospaceOptimizations && output.containsForeignElements === 0 /* None */) { if (lineData.content.length < 300 && renderLineInput.lineTokens.getCount() < 100) { // Browser rounding errors have been observed in Chrome and IE, so using the fast // view line only for short lines. Please test before removing the length check... // --- // Another rounding error has been observed on Linux in VSCode, where <span> width // rounding errors add up to an observable large number... // --- // Also see another example of rounding errors on Windows in // https://github.com/Microsoft/vscode/issues/33178 renderedViewLine = new FastRenderedViewLine(this._renderedViewLine ? this._renderedViewLine.domNode : null, renderLineInput, output.characterMapping); } } if (!renderedViewLine) { renderedViewLine = createRenderedLine(this._renderedViewLine ? this._renderedViewLine.domNode : null, renderLineInput, output.characterMapping, output.containsRTL, output.containsForeignElements); } this._renderedViewLine = renderedViewLine; return true; }; ViewLine.prototype.layoutLine = function (lineNumber, deltaTop) { if (this._renderedViewLine && this._renderedViewLine.domNode) { this._renderedViewLine.domNode.setTop(deltaTop); this._renderedViewLine.domNode.setHeight(this._options.lineHeight); } }; // --- end IVisibleLineData ViewLine.prototype.getWidth = function () { if (!this._renderedViewLine) { return 0; } return this._renderedViewLine.getWidth(); }; ViewLine.prototype.getWidthIsFast = function () { if (!this._renderedViewLine) { return true; } return this._renderedViewLine.getWidthIsFast(); }; ViewLine.prototype.getVisibleRangesForRange = function (startColumn, endColumn, context) { if (!this._renderedViewLine) { return null; } startColumn = startColumn | 0; // @perf endColumn = endColumn | 0; // @perf startColumn = Math.min(this._renderedViewLine.input.lineContent.length + 1, Math.max(1, startColumn)); endColumn = Math.min(this._renderedViewLine.input.lineContent.length + 1, Math.max(1, endColumn)); var stopRenderingLineAfter = this._renderedViewLine.input.stopRenderingLineAfter | 0; // @perf if (stopRenderingLineAfter !== -1 && startColumn > stopRenderingLineAfter && endColumn > stopRenderingLineAfter) { // This range is obviously not visible return null; } if (stopRenderingLineAfter !== -1 && startColumn > stopRenderingLineAfter) { startColumn = stopRenderingLineAfter; } if (stopRenderingLineAfter !== -1 && endColumn > stopRenderingLineAfter) { endColumn = stopRenderingLineAfter; } return this._renderedViewLine.getVisibleRangesForRange(startColumn, endColumn, context); }; ViewLine.prototype.getColumnOfNodeOffset = function (lineNumber, spanNode, offset) { if (!this._renderedViewLine) { return 1; } return this._renderedViewLine.getColumnOfNodeOffset(lineNumber, spanNode, offset); }; ViewLine.CLASS_NAME = 'view-line'; return ViewLine; }()); /** * A rendered line which is guaranteed to contain only regular ASCII and is rendered with a monospace font. */ var FastRenderedViewLine = /** @class */ (function () { function FastRenderedViewLine(domNode, renderLineInput, characterMapping) { this.domNode = domNode; this.input = renderLineInput; this._characterMapping = characterMapping; this._charWidth = renderLineInput.spaceWidth; } FastRenderedViewLine.prototype.getWidth = function () { return this._getCharPosition(this._characterMapping.length); }; FastRenderedViewLine.prototype.getWidthIsFast = function () { return true; }; FastRenderedViewLine.prototype.getVisibleRangesForRange = function (startColumn, endColumn, context) { var startPosition = this._getCharPosition(startColumn); var endPosition = this._getCharPosition(endColumn); return [new __WEBPACK_IMPORTED_MODULE_4__common_view_renderingContext_js__["a" /* HorizontalRange */](startPosition, endPosition - startPosition)]; }; FastRenderedViewLine.prototype._getCharPosition = function (column) { var charOffset = this._characterMapping.getAbsoluteOffsets(); if (charOffset.length === 0) { // No characters on this line return 0; } return Math.round(this._charWidth * charOffset[column - 1]); }; FastRenderedViewLine.prototype.getColumnOfNodeOffset = function (lineNumber, spanNode, offset) { var spanNodeTextContentLength = spanNode.textContent.length; var spanIndex = -1; while (spanNode) { spanNode = spanNode.previousSibling; spanIndex++; } var charOffset = this._characterMapping.partDataToCharOffset(spanIndex, spanNodeTextContentLength, offset); return charOffset + 1; }; return FastRenderedViewLine; }()); /** * Every time we render a line, we save what we have rendered in an instance of this class. */ var RenderedViewLine = /** @class */ (function () { function RenderedViewLine(domNode, renderLineInput, characterMapping, containsRTL, containsForeignElements) { this.domNode = domNode; this.input = renderLineInput; this._characterMapping = characterMapping; this._isWhitespaceOnly = /^\s*$/.test(renderLineInput.lineContent); this._containsForeignElements = containsForeignElements; this._cachedWidth = -1; this._pixelOffsetCache = null; if (!containsRTL || this._characterMapping.length === 0 /* the line is empty */) { this._pixelOffsetCache = new Int32Array(Math.max(2, this._characterMapping.length + 1)); for (var column = 0, len = this._characterMapping.length; column <= len; column++) { this._pixelOffsetCache[column] = -1; } } } // --- Reading from the DOM methods RenderedViewLine.prototype._getReadingTarget = function () { return this.domNode.domNode.firstChild; }; /** * Width of the line in pixels */ RenderedViewLine.prototype.getWidth = function () { if (this._cachedWidth === -1) { this._cachedWidth = this._getReadingTarget().offsetWidth; } return this._cachedWidth; }; RenderedViewLine.prototype.getWidthIsFast = function () { if (this._cachedWidth === -1) { return false; } return true; }; /** * Visible ranges for a model range */ RenderedViewLine.prototype.getVisibleRangesForRange = function (startColumn, endColumn, context) { if (this._pixelOffsetCache !== null) { // the text is LTR var startOffset = this._readPixelOffset(startColumn, context); if (startOffset === -1) { return null; } var endOffset = this._readPixelOffset(endColumn, context); if (endOffset === -1) { return null; } return [new __WEBPACK_IMPORTED_MODULE_4__common_view_renderingContext_js__["a" /* HorizontalRange */](startOffset, endOffset - startOffset)]; } return this._readVisibleRangesForRange(startColumn, endColumn, context); }; RenderedViewLine.prototype._readVisibleRangesForRange = function (startColumn, endColumn, context) { if (startColumn === endColumn) { var pixelOffset = this._readPixelOffset(startColumn, context); if (pixelOffset === -1) { return null; } else { return [new __WEBPACK_IMPORTED_MODULE_4__common_view_renderingContext_js__["a" /* HorizontalRange */](pixelOffset, 0)]; } } else { return this._readRawVisibleRangesForRange(startColumn, endColumn, context); } }; RenderedViewLine.prototype._readPixelOffset = function (column, context) { if (this._characterMapping.length === 0) { // This line has no content if (this._containsForeignElements === 0 /* None */) { // We can assume the line is really empty return 0; } if (this._containsForeignElements === 2 /* After */) { // We have foreign elements after the (empty) line return 0; } if (this._containsForeignElements === 1 /* Before */) { // We have foreign element before the (empty) line return this.getWidth(); } } if (this._pixelOffsetCache !== null) { // the text is LTR var cachedPixelOffset = this._pixelOffsetCache[column]; if (cachedPixelOffset !== -1) { return cachedPixelOffset; } var result = this._actualReadPixelOffset(column, context); this._pixelOffsetCache[column] = result; return result; } return this._actualReadPixelOffset(column, context); }; RenderedViewLine.prototype._actualReadPixelOffset = function (column, context) { if (this._characterMapping.length === 0) { // This line has no content var r_1 = __WEBPACK_IMPORTED_MODULE_3__rangeUtil_js__["a" /* RangeUtil */].readHorizontalRanges(this._getReadingTarget(), 0, 0, 0, 0, context.clientRectDeltaLeft, context.endNode); if (!r_1 || r_1.length === 0) { return -1; } return r_1[0].left; } if (column === this._characterMapping.length && this._isWhitespaceOnly && this._containsForeignElements === 0 /* None */) { // This branch helps in the case of whitespace only lines which have a width set return this.getWidth(); } var partData = this._characterMapping.charOffsetToPartData(column - 1); var partIndex = __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["a" /* CharacterMapping */].getPartIndex(partData); var charOffsetInPart = __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["a" /* CharacterMapping */].getCharIndex(partData); var r = __WEBPACK_IMPORTED_MODULE_3__rangeUtil_js__["a" /* RangeUtil */].readHorizontalRanges(this._getReadingTarget(), partIndex, charOffsetInPart, partIndex, charOffsetInPart, context.clientRectDeltaLeft, context.endNode); if (!r || r.length === 0) { return -1; } return r[0].left; }; RenderedViewLine.prototype._readRawVisibleRangesForRange = function (startColumn, endColumn, context) { if (startColumn === 1 && endColumn === this._characterMapping.length) { // This branch helps IE with bidi text & gives a performance boost to other browsers when reading visible ranges for an entire line return [new __WEBPACK_IMPORTED_MODULE_4__common_view_renderingContext_js__["a" /* HorizontalRange */](0, this.getWidth())]; } var startPartData = this._characterMapping.charOffsetToPartData(startColumn - 1); var startPartIndex = __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["a" /* CharacterMapping */].getPartIndex(startPartData); var startCharOffsetInPart = __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["a" /* CharacterMapping */].getCharIndex(startPartData); var endPartData = this._characterMapping.charOffsetToPartData(endColumn - 1); var endPartIndex = __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["a" /* CharacterMapping */].getPartIndex(endPartData); var endCharOffsetInPart = __WEBPACK_IMPORTED_MODULE_6__common_viewLayout_viewLineRenderer_js__["a" /* CharacterMapping */].getCharIndex(endPartData); return __WEBPACK_IMPORTED_MODULE_3__rangeUtil_js__["a" /* RangeUtil */].readHorizontalRanges(this._getReadingTarget(), startPartIndex, startCharOffsetInPart, endPartIndex, endCharOffsetInPart, context.clientRectDeltaLeft, context.endNode); }; /** * Returns the column for the text found at a specific offset inside a rendered dom node */ RenderedViewLine.prototype.getColumnOfNodeOffset = function (lineNumber, spanNode, offset) { var spanNodeTextContentLength = spanNode.textContent.length; var spanIndex = -1; while (spanNode) { spanNode = spanNode.previousSibling; spanIndex++; } var charOffset = this._characterMapping.partDataToCharOffset(spanIndex, spanNodeTextContentLength, offset); return charOffset + 1; }; return RenderedViewLine; }()); var WebKitRenderedViewLine = /** @class */ (function (_super) { __extends(WebKitRenderedViewLine, _super); function WebKitRenderedViewLine() { return _super !== null && _super.apply(this, arguments) || this; } WebKitRenderedViewLine.prototype._readVisibleRangesForRange = function (startColumn, endColumn, context) { var output = _super.prototype._readVisibleRangesForRange.call(this, startColumn, endColumn, context); if (!output || output.length === 0 || startColumn === endColumn || (startColumn === 1 && endColumn === this._characterMapping.length)) { return output; } // WebKit is buggy and returns an expanded range (to contain words in some cases) // The last client rect is enlarged (I think) if (!this.input.containsRTL) { // This is an attempt to patch things up // Find position of last column var endPixelOffset = this._readPixelOffset(endColumn, context); if (endPixelOffset !== -1) { var lastRange = output[output.length - 1]; if (lastRange.left < endPixelOffset) { // Trim down the width of the last visible range to not go after the last column's position lastRange.width = endPixelOffset - lastRange.left; } } } return output; }; return WebKitRenderedViewLine; }(RenderedViewLine)); var createRenderedLine = (function () { if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["m" /* isWebKit */]) { return createWebKitRenderedLine; } return createNormalRenderedLine; })(); function createWebKitRenderedLine(domNode, renderLineInput, characterMapping, containsRTL, containsForeignElements) { return new WebKitRenderedViewLine(domNode, renderLineInput, characterMapping, containsRTL, containsForeignElements); } function createNormalRenderedLine(domNode, renderLineInput, characterMapping, containsRTL, containsForeignElements) { return new RenderedViewLine(domNode, renderLineInput, characterMapping, containsRTL, containsForeignElements); } /***/ }), /***/ 1699: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return TextAreaState; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PagedScreenReaderStrategy; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var TextAreaState = /** @class */ (function () { function TextAreaState(value, selectionStart, selectionEnd, selectionStartPosition, selectionEndPosition) { this.value = value; this.selectionStart = selectionStart; this.selectionEnd = selectionEnd; this.selectionStartPosition = selectionStartPosition; this.selectionEndPosition = selectionEndPosition; } TextAreaState.prototype.toString = function () { return '[ <' + this.value + '>, selectionStart: ' + this.selectionStart + ', selectionEnd: ' + this.selectionEnd + ']'; }; TextAreaState.readFromTextArea = function (textArea) { return new TextAreaState(textArea.getValue(), textArea.getSelectionStart(), textArea.getSelectionEnd(), null, null); }; TextAreaState.prototype.collapseSelection = function () { return new TextAreaState(this.value, this.value.length, this.value.length, null, null); }; TextAreaState.prototype.writeToTextArea = function (reason, textArea, select) { // console.log(Date.now() + ': writeToTextArea ' + reason + ': ' + this.toString()); textArea.setValue(reason, this.value); if (select) { textArea.setSelectionRange(reason, this.selectionStart, this.selectionEnd); } }; TextAreaState.prototype.deduceEditorPosition = function (offset) { if (offset <= this.selectionStart) { var str = this.value.substring(offset, this.selectionStart); return this._finishDeduceEditorPosition(this.selectionStartPosition, str, -1); } if (offset >= this.selectionEnd) { var str = this.value.substring(this.selectionEnd, offset); return this._finishDeduceEditorPosition(this.selectionEndPosition, str, 1); } var str1 = this.value.substring(this.selectionStart, offset); if (str1.indexOf(String.fromCharCode(8230)) === -1) { return this._finishDeduceEditorPosition(this.selectionStartPosition, str1, 1); } var str2 = this.value.substring(offset, this.selectionEnd); return this._finishDeduceEditorPosition(this.selectionEndPosition, str2, -1); }; TextAreaState.prototype._finishDeduceEditorPosition = function (anchor, deltaText, signum) { var lineFeedCnt = 0; var lastLineFeedIndex = -1; while ((lastLineFeedIndex = deltaText.indexOf('\n', lastLineFeedIndex + 1)) !== -1) { lineFeedCnt++; } return [anchor, signum * deltaText.length, lineFeedCnt]; }; TextAreaState.selectedText = function (text) { return new TextAreaState(text, 0, text.length, null, null); }; TextAreaState.deduceInput = function (previousState, currentState, couldBeEmojiInput, couldBeTypingAtOffset0) { if (!previousState) { // This is the EMPTY state return { text: '', replaceCharCnt: 0 }; } // console.log('------------------------deduceInput'); // console.log('PREVIOUS STATE: ' + previousState.toString()); // console.log('CURRENT STATE: ' + currentState.toString()); var previousValue = previousState.value; var previousSelectionStart = previousState.selectionStart; var previousSelectionEnd = previousState.selectionEnd; var currentValue = currentState.value; var currentSelectionStart = currentState.selectionStart; var currentSelectionEnd = currentState.selectionEnd; if (couldBeTypingAtOffset0 && previousValue.length > 0 && previousSelectionStart === previousSelectionEnd && currentSelectionStart === currentSelectionEnd) { // See https://github.com/Microsoft/vscode/issues/42251 // where typing always happens at offset 0 in the textarea // when using a custom title area in OSX and moving the window if (!__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["B" /* startsWith */](currentValue, previousValue) && __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["j" /* endsWith */](currentValue, previousValue)) { // Looks like something was typed at offset 0 // ==> pretend we placed the cursor at offset 0 to begin with... previousSelectionStart = 0; previousSelectionEnd = 0; } } // Strip the previous suffix from the value (without interfering with the current selection) var previousSuffix = previousValue.substring(previousSelectionEnd); var currentSuffix = currentValue.substring(currentSelectionEnd); var suffixLength = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["c" /* commonSuffixLength */](previousSuffix, currentSuffix); currentValue = currentValue.substring(0, currentValue.length - suffixLength); previousValue = previousValue.substring(0, previousValue.length - suffixLength); var previousPrefix = previousValue.substring(0, previousSelectionStart); var currentPrefix = currentValue.substring(0, currentSelectionStart); var prefixLength = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["b" /* commonPrefixLength */](previousPrefix, currentPrefix); currentValue = currentValue.substring(prefixLength); previousValue = previousValue.substring(prefixLength); currentSelectionStart -= prefixLength; previousSelectionStart -= prefixLength; currentSelectionEnd -= prefixLength; previousSelectionEnd -= prefixLength; // console.log('AFTER DIFFING PREVIOUS STATE: <' + previousValue + '>, selectionStart: ' + previousSelectionStart + ', selectionEnd: ' + previousSelectionEnd); // console.log('AFTER DIFFING CURRENT STATE: <' + currentValue + '>, selectionStart: ' + currentSelectionStart + ', selectionEnd: ' + currentSelectionEnd); if (couldBeEmojiInput && currentSelectionStart === currentSelectionEnd && previousValue.length > 0) { // on OSX, emojis from the emoji picker are inserted at random locations // the only hints we can use is that the selection is immediately after the inserted emoji // and that none of the old text has been deleted var potentialEmojiInput = null; if (currentSelectionStart === currentValue.length) { // emoji potentially inserted "somewhere" after the previous selection => it should appear at the end of `currentValue` if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["B" /* startsWith */](currentValue, previousValue)) { // only if all of the old text is accounted for potentialEmojiInput = currentValue.substring(previousValue.length); } } else { // emoji potentially inserted "somewhere" before the previous selection => it should appear at the start of `currentValue` if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["j" /* endsWith */](currentValue, previousValue)) { // only if all of the old text is accounted for potentialEmojiInput = currentValue.substring(0, currentValue.length - previousValue.length); } } if (potentialEmojiInput !== null && potentialEmojiInput.length > 0) { // now we check that this is indeed an emoji // emojis can grow quite long, so a length check is of no help // e.g. 1F3F4 E0067 E0062 E0065 E006E E0067 E007F ; fully-qualified # 🏴 England // Oftentimes, emojis use Variation Selector-16 (U+FE0F), so that is a good hint // http://emojipedia.org/variation-selector-16/ // > An invisible codepoint which specifies that the preceding character // > should be displayed with emoji presentation. Only required if the // > preceding character defaults to text presentation. if (/\uFE0F/.test(potentialEmojiInput) || __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["d" /* containsEmoji */](potentialEmojiInput)) { return { text: potentialEmojiInput, replaceCharCnt: 0 }; } } } if (currentSelectionStart === currentSelectionEnd) { // composition accept case (noticed in FF + Japanese) // [blahblah] => blahblah| if (previousValue === currentValue && previousSelectionStart === 0 && previousSelectionEnd === previousValue.length && currentSelectionStart === currentValue.length && currentValue.indexOf('\n') === -1) { if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["e" /* containsFullWidthCharacter */](currentValue)) { return { text: '', replaceCharCnt: 0 }; } } // no current selection var replacePreviousCharacters_1 = (previousPrefix.length - prefixLength); // console.log('REMOVE PREVIOUS: ' + (previousPrefix.length - prefixLength) + ' chars'); return { text: currentValue, replaceCharCnt: replacePreviousCharacters_1 }; } // there is a current selection => composition case var replacePreviousCharacters = previousSelectionEnd - previousSelectionStart; return { text: currentValue, replaceCharCnt: replacePreviousCharacters }; }; TextAreaState.EMPTY = new TextAreaState('', 0, 0, null, null); return TextAreaState; }()); var PagedScreenReaderStrategy = /** @class */ (function () { function PagedScreenReaderStrategy() { } PagedScreenReaderStrategy._getPageOfLine = function (lineNumber) { return Math.floor((lineNumber - 1) / PagedScreenReaderStrategy._LINES_PER_PAGE); }; PagedScreenReaderStrategy._getRangeForPage = function (page) { var offset = page * PagedScreenReaderStrategy._LINES_PER_PAGE; var startLineNumber = offset + 1; var endLineNumber = offset + PagedScreenReaderStrategy._LINES_PER_PAGE; return new __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */](startLineNumber, 1, endLineNumber + 1, 1); }; PagedScreenReaderStrategy.fromEditorSelection = function (previousState, model, selection, trimLongText) { var selectionStartPage = PagedScreenReaderStrategy._getPageOfLine(selection.startLineNumber); var selectionStartPageRange = PagedScreenReaderStrategy._getRangeForPage(selectionStartPage); var selectionEndPage = PagedScreenReaderStrategy._getPageOfLine(selection.endLineNumber); var selectionEndPageRange = PagedScreenReaderStrategy._getRangeForPage(selectionEndPage); var pretextRange = selectionStartPageRange.intersectRanges(new __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */](1, 1, selection.startLineNumber, selection.startColumn)); var pretext = model.getValueInRange(pretextRange, 1 /* LF */); var lastLine = model.getLineCount(); var lastLineMaxColumn = model.getLineMaxColumn(lastLine); var posttextRange = selectionEndPageRange.intersectRanges(new __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */](selection.endLineNumber, selection.endColumn, lastLine, lastLineMaxColumn)); var posttext = model.getValueInRange(posttextRange, 1 /* LF */); var text; if (selectionStartPage === selectionEndPage || selectionStartPage + 1 === selectionEndPage) { // take full selection text = model.getValueInRange(selection, 1 /* LF */); } else { var selectionRange1 = selectionStartPageRange.intersectRanges(selection); var selectionRange2 = selectionEndPageRange.intersectRanges(selection); text = (model.getValueInRange(selectionRange1, 1 /* LF */) + String.fromCharCode(8230) + model.getValueInRange(selectionRange2, 1 /* LF */)); } // Chromium handles very poorly text even of a few thousand chars // Cut text to avoid stalling the entire UI if (trimLongText) { var LIMIT_CHARS = 500; if (pretext.length > LIMIT_CHARS) { pretext = pretext.substring(pretext.length - LIMIT_CHARS, pretext.length); } if (posttext.length > LIMIT_CHARS) { posttext = posttext.substring(0, LIMIT_CHARS); } if (text.length > 2 * LIMIT_CHARS) { text = text.substring(0, LIMIT_CHARS) + String.fromCharCode(8230) + text.substring(text.length - LIMIT_CHARS, text.length); } } return new TextAreaState(pretext + text + posttext, pretext.length, pretext.length + text.length, new __WEBPACK_IMPORTED_MODULE_1__common_core_position_js__["a" /* Position */](selection.startLineNumber, selection.startColumn), new __WEBPACK_IMPORTED_MODULE_1__common_core_position_js__["a" /* Position */](selection.endLineNumber, selection.endColumn)); }; PagedScreenReaderStrategy._LINES_PER_PAGE = 10; return PagedScreenReaderStrategy; }()); /***/ }), /***/ 1700: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LineNumbersOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__lineNumbers_css__ = __webpack_require__(1937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__lineNumbers_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__lineNumbers_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var LineNumbersOverlay = /** @class */ (function (_super) { __extends(LineNumbersOverlay, _super); function LineNumbersOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._readConfig(); _this._lastCursorModelPosition = new __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */](1, 1); _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } LineNumbersOverlay.prototype._readConfig = function () { var config = this._context.configuration.editor; this._lineHeight = config.lineHeight; this._renderLineNumbers = config.viewInfo.renderLineNumbers; this._renderCustomLineNumbers = config.viewInfo.renderCustomLineNumbers; this._renderFinalNewline = config.viewInfo.renderFinalNewline; this._lineNumbersLeft = config.layoutInfo.lineNumbersLeft; this._lineNumbersWidth = config.layoutInfo.lineNumbersWidth; }; LineNumbersOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers LineNumbersOverlay.prototype.onConfigurationChanged = function (e) { this._readConfig(); return true; }; LineNumbersOverlay.prototype.onCursorStateChanged = function (e) { var primaryViewPosition = e.selections[0].getPosition(); this._lastCursorModelPosition = this._context.model.coordinatesConverter.convertViewPositionToModelPosition(primaryViewPosition); if (this._renderLineNumbers === 2 /* Relative */ || this._renderLineNumbers === 3 /* Interval */) { return true; } return false; }; LineNumbersOverlay.prototype.onFlushed = function (e) { return true; }; LineNumbersOverlay.prototype.onLinesChanged = function (e) { return true; }; LineNumbersOverlay.prototype.onLinesDeleted = function (e) { return true; }; LineNumbersOverlay.prototype.onLinesInserted = function (e) { return true; }; LineNumbersOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; }; LineNumbersOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers LineNumbersOverlay.prototype._getLineRenderLineNumber = function (viewLineNumber) { var modelPosition = this._context.model.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */](viewLineNumber, 1)); if (modelPosition.column !== 1) { return ''; } var modelLineNumber = modelPosition.lineNumber; if (!this._renderFinalNewline) { var lineCount = this._context.model.getLineCount(); var lineContent = this._context.model.getLineContent(modelLineNumber); if (modelLineNumber === lineCount && lineContent === '') { return ''; } } if (this._renderCustomLineNumbers) { return this._renderCustomLineNumbers(modelLineNumber); } if (this._renderLineNumbers === 2 /* Relative */) { var diff = Math.abs(this._lastCursorModelPosition.lineNumber - modelLineNumber); if (diff === 0) { return '<span class="relative-current-line-number">' + modelLineNumber + '</span>'; } return String(diff); } if (this._renderLineNumbers === 3 /* Interval */) { if (this._lastCursorModelPosition.lineNumber === modelLineNumber) { return String(modelLineNumber); } if (modelLineNumber % 10 === 0) { return String(modelLineNumber); } return ''; } return String(modelLineNumber); }; LineNumbersOverlay.prototype.prepareRender = function (ctx) { if (this._renderLineNumbers === 0 /* Off */) { this._renderResult = null; return; } var lineHeightClassName = (__WEBPACK_IMPORTED_MODULE_1__base_common_platform_js__["c" /* isLinux */] ? (this._lineHeight % 2 === 0 ? ' lh-even' : ' lh-odd') : ''); var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; var common = '<div class="' + LineNumbersOverlay.CLASS_NAME + lineHeightClassName + '" style="left:' + this._lineNumbersLeft.toString() + 'px;width:' + this._lineNumbersWidth.toString() + 'px;">'; var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; var renderLineNumber = this._getLineRenderLineNumber(lineNumber); if (renderLineNumber) { output[lineIndex] = (common + renderLineNumber + '</div>'); } else { output[lineIndex] = ''; } } this._renderResult = output; }; LineNumbersOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } var lineIndex = lineNumber - startLineNumber; if (lineIndex < 0 || lineIndex >= this._renderResult.length) { return ''; } return this._renderResult[lineIndex]; }; LineNumbersOverlay.CLASS_NAME = 'line-numbers'; return LineNumbersOverlay; }(__WEBPACK_IMPORTED_MODULE_2__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); // theming Object(__WEBPACK_IMPORTED_MODULE_5__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var lineNumbers = theme.getColor(__WEBPACK_IMPORTED_MODULE_4__common_view_editorColorRegistry_js__["n" /* editorLineNumbers */]); if (lineNumbers) { collector.addRule(".monaco-editor .line-numbers { color: " + lineNumbers + "; }"); } var activeLineNumber = theme.getColor(__WEBPACK_IMPORTED_MODULE_4__common_view_editorColorRegistry_js__["b" /* editorActiveLineNumber */]); if (activeLineNumber) { collector.addRule(".monaco-editor .current-line ~ .line-numbers { color: " + activeLineNumber + "; }"); } }); /***/ }), /***/ 1701: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Margin; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__view_viewPart_js__ = __webpack_require__(1078); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var Margin = /** @class */ (function (_super) { __extends(Margin, _super); function Margin(context) { var _this = _super.call(this, context) || this; _this._canUseLayerHinting = _this._context.configuration.editor.canUseLayerHinting; _this._contentLeft = _this._context.configuration.editor.layoutInfo.contentLeft; _this._glyphMarginLeft = _this._context.configuration.editor.layoutInfo.glyphMarginLeft; _this._glyphMarginWidth = _this._context.configuration.editor.layoutInfo.glyphMarginWidth; _this._domNode = _this._createDomNode(); return _this; } Margin.prototype.dispose = function () { _super.prototype.dispose.call(this); }; Margin.prototype.getDomNode = function () { return this._domNode; }; Margin.prototype._createDomNode = function () { var domNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); domNode.setClassName(Margin.OUTER_CLASS_NAME); domNode.setPosition('absolute'); domNode.setAttribute('role', 'presentation'); domNode.setAttribute('aria-hidden', 'true'); this._glyphMarginBackgroundDomNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); this._glyphMarginBackgroundDomNode.setClassName(Margin.CLASS_NAME); domNode.appendChild(this._glyphMarginBackgroundDomNode); return domNode; }; // --- begin event handlers Margin.prototype.onConfigurationChanged = function (e) { if (e.canUseLayerHinting) { this._canUseLayerHinting = this._context.configuration.editor.canUseLayerHinting; } if (e.layoutInfo) { this._contentLeft = this._context.configuration.editor.layoutInfo.contentLeft; this._glyphMarginLeft = this._context.configuration.editor.layoutInfo.glyphMarginLeft; this._glyphMarginWidth = this._context.configuration.editor.layoutInfo.glyphMarginWidth; } return true; }; Margin.prototype.onScrollChanged = function (e) { return _super.prototype.onScrollChanged.call(this, e) || e.scrollTopChanged; }; // --- end event handlers Margin.prototype.prepareRender = function (ctx) { // Nothing to read }; Margin.prototype.render = function (ctx) { this._domNode.setLayerHinting(this._canUseLayerHinting); var adjustedScrollTop = ctx.scrollTop - ctx.bigNumbersDelta; this._domNode.setTop(-adjustedScrollTop); var height = Math.min(ctx.scrollHeight, 1000000); this._domNode.setHeight(height); this._domNode.setWidth(this._contentLeft); this._glyphMarginBackgroundDomNode.setLeft(this._glyphMarginLeft); this._glyphMarginBackgroundDomNode.setWidth(this._glyphMarginWidth); this._glyphMarginBackgroundDomNode.setHeight(height); }; Margin.CLASS_NAME = 'glyph-margin'; Margin.OUTER_CLASS_NAME = 'margin'; return Margin; }(__WEBPACK_IMPORTED_MODULE_1__view_viewPart_js__["b" /* ViewPart */])); /***/ }), /***/ 1702: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export AverageBufferSize */ /* unused harmony export createUintArray */ /* unused harmony export LineStarts */ /* harmony export (immutable) */ __webpack_exports__["d"] = createLineStartsFast; /* harmony export (immutable) */ __webpack_exports__["c"] = createLineStarts; /* unused harmony export Piece */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return StringBuffer; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PieceTreeBase; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__model_js__ = __webpack_require__(1325); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__ = __webpack_require__(1947); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__textModelSearch_js__ = __webpack_require__(1703); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // const lfRegex = new RegExp(/\r\n|\r|\n/g); var AverageBufferSize = 65535; function createUintArray(arr) { var r; if (arr[arr.length - 1] < 65536) { r = new Uint16Array(arr.length); } else { r = new Uint32Array(arr.length); } r.set(arr, 0); return r; } var LineStarts = /** @class */ (function () { function LineStarts(lineStarts, cr, lf, crlf, isBasicASCII) { this.lineStarts = lineStarts; this.cr = cr; this.lf = lf; this.crlf = crlf; this.isBasicASCII = isBasicASCII; } return LineStarts; }()); function createLineStartsFast(str, readonly) { if (readonly === void 0) { readonly = true; } var r = [0], rLength = 1; for (var i = 0, len = str.length; i < len; i++) { var chr = str.charCodeAt(i); if (chr === 13 /* CarriageReturn */) { if (i + 1 < len && str.charCodeAt(i + 1) === 10 /* LineFeed */) { // \r\n... case r[rLength++] = i + 2; i++; // skip \n } else { // \r... case r[rLength++] = i + 1; } } else if (chr === 10 /* LineFeed */) { r[rLength++] = i + 1; } } if (readonly) { return createUintArray(r); } else { return r; } } function createLineStarts(r, str) { r.length = 0; r[0] = 0; var rLength = 1; var cr = 0, lf = 0, crlf = 0; var isBasicASCII = true; for (var i = 0, len = str.length; i < len; i++) { var chr = str.charCodeAt(i); if (chr === 13 /* CarriageReturn */) { if (i + 1 < len && str.charCodeAt(i + 1) === 10 /* LineFeed */) { // \r\n... case crlf++; r[rLength++] = i + 2; i++; // skip \n } else { cr++; // \r... case r[rLength++] = i + 1; } } else if (chr === 10 /* LineFeed */) { lf++; r[rLength++] = i + 1; } else { if (isBasicASCII) { if (chr !== 9 /* Tab */ && (chr < 32 || chr > 126)) { isBasicASCII = false; } } } } var result = new LineStarts(createUintArray(r), cr, lf, crlf, isBasicASCII); r.length = 0; return result; } var Piece = /** @class */ (function () { function Piece(bufferIndex, start, end, lineFeedCnt, length) { this.bufferIndex = bufferIndex; this.start = start; this.end = end; this.lineFeedCnt = lineFeedCnt; this.length = length; } return Piece; }()); var StringBuffer = /** @class */ (function () { function StringBuffer(buffer, lineStarts) { this.buffer = buffer; this.lineStarts = lineStarts; } return StringBuffer; }()); var PieceTreeSearchCache = /** @class */ (function () { function PieceTreeSearchCache(limit) { this._limit = limit; this._cache = []; } PieceTreeSearchCache.prototype.get = function (offset) { for (var i = this._cache.length - 1; i >= 0; i--) { var nodePos = this._cache[i]; if (nodePos.nodeStartOffset <= offset && nodePos.nodeStartOffset + nodePos.node.piece.length >= offset) { return nodePos; } } return null; }; PieceTreeSearchCache.prototype.get2 = function (lineNumber) { for (var i = this._cache.length - 1; i >= 0; i--) { var nodePos = this._cache[i]; if (nodePos.nodeStartLineNumber && nodePos.nodeStartLineNumber < lineNumber && nodePos.nodeStartLineNumber + nodePos.node.piece.lineFeedCnt >= lineNumber) { return nodePos; } } return null; }; PieceTreeSearchCache.prototype.set = function (nodePosition) { if (this._cache.length >= this._limit) { this._cache.shift(); } this._cache.push(nodePosition); }; PieceTreeSearchCache.prototype.valdiate = function (offset) { var hasInvalidVal = false; var tmp = this._cache; for (var i = 0; i < tmp.length; i++) { var nodePos = tmp[i]; if (nodePos.node.parent === null || nodePos.nodeStartOffset >= offset) { tmp[i] = null; hasInvalidVal = true; continue; } } if (hasInvalidVal) { var newArr = []; for (var _i = 0, tmp_1 = tmp; _i < tmp_1.length; _i++) { var entry = tmp_1[_i]; if (entry !== null) { newArr.push(entry); } } this._cache = newArr; } }; return PieceTreeSearchCache; }()); var PieceTreeBase = /** @class */ (function () { function PieceTreeBase(chunks, eol, eolNormalized) { this.create(chunks, eol, eolNormalized); } PieceTreeBase.prototype.create = function (chunks, eol, eolNormalized) { this._buffers = [ new StringBuffer('', [0]) ]; this._lastChangeBufferPos = { line: 0, column: 0 }; this.root = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; this._lineCnt = 1; this._length = 0; this._EOL = eol; this._EOLLength = eol.length; this._EOLNormalized = eolNormalized; var lastNode = null; for (var i = 0, len = chunks.length; i < len; i++) { if (chunks[i].buffer.length > 0) { if (!chunks[i].lineStarts) { chunks[i].lineStarts = createLineStartsFast(chunks[i].buffer); } var piece = new Piece(i + 1, { line: 0, column: 0 }, { line: chunks[i].lineStarts.length - 1, column: chunks[i].buffer.length - chunks[i].lineStarts[chunks[i].lineStarts.length - 1] }, chunks[i].lineStarts.length - 1, chunks[i].buffer.length); this._buffers.push(chunks[i]); lastNode = this.rbInsertRight(lastNode, piece); } } this._searchCache = new PieceTreeSearchCache(1); this._lastVisitedLine = { lineNumber: 0, value: '' }; this.computeBufferMetadata(); }; PieceTreeBase.prototype.normalizeEOL = function (eol) { var _this = this; var averageBufferSize = AverageBufferSize; var min = averageBufferSize - Math.floor(averageBufferSize / 3); var max = min * 2; var tempChunk = ''; var tempChunkLen = 0; var chunks = []; this.iterate(this.root, function (node) { var str = _this.getNodeContent(node); var len = str.length; if (tempChunkLen <= min || tempChunkLen + len < max) { tempChunk += str; tempChunkLen += len; return true; } // flush anyways var text = tempChunk.replace(/\r\n|\r|\n/g, eol); chunks.push(new StringBuffer(text, createLineStartsFast(text))); tempChunk = str; tempChunkLen = len; return true; }); if (tempChunkLen > 0) { var text = tempChunk.replace(/\r\n|\r|\n/g, eol); chunks.push(new StringBuffer(text, createLineStartsFast(text))); } this.create(chunks, eol, true); }; // #region Buffer API PieceTreeBase.prototype.getEOL = function () { return this._EOL; }; PieceTreeBase.prototype.setEOL = function (newEOL) { this._EOL = newEOL; this._EOLLength = this._EOL.length; this.normalizeEOL(newEOL); }; PieceTreeBase.prototype.getOffsetAt = function (lineNumber, column) { var leftLen = 0; // inorder var x = this.root; while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { if (x.left !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */] && x.lf_left + 1 >= lineNumber) { x = x.left; } else if (x.lf_left + x.piece.lineFeedCnt + 1 >= lineNumber) { leftLen += x.size_left; // lineNumber >= 2 var accumualtedValInCurrentIndex = this.getAccumulatedValue(x, lineNumber - x.lf_left - 2); return leftLen += accumualtedValInCurrentIndex + column - 1; } else { lineNumber -= x.lf_left + x.piece.lineFeedCnt; leftLen += x.size_left + x.piece.length; x = x.right; } } return leftLen; }; PieceTreeBase.prototype.getPositionAt = function (offset) { offset = Math.floor(offset); offset = Math.max(0, offset); var x = this.root; var lfCnt = 0; var originalOffset = offset; while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { if (x.size_left !== 0 && x.size_left >= offset) { x = x.left; } else if (x.size_left + x.piece.length >= offset) { var out = this.getIndexOf(x, offset - x.size_left); lfCnt += x.lf_left + out.index; if (out.index === 0) { var lineStartOffset = this.getOffsetAt(lfCnt + 1, 1); var column = originalOffset - lineStartOffset; return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](lfCnt + 1, column + 1); } return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](lfCnt + 1, out.remainder + 1); } else { offset -= x.size_left + x.piece.length; lfCnt += x.lf_left + x.piece.lineFeedCnt; if (x.right === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { // last node var lineStartOffset = this.getOffsetAt(lfCnt + 1, 1); var column = originalOffset - offset - lineStartOffset; return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](lfCnt + 1, column + 1); } else { x = x.right; } } } return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](1, 1); }; PieceTreeBase.prototype.getValueInRange = function (range, eol) { if (range.startLineNumber === range.endLineNumber && range.startColumn === range.endColumn) { return ''; } var startPosition = this.nodeAt2(range.startLineNumber, range.startColumn); var endPosition = this.nodeAt2(range.endLineNumber, range.endColumn); var value = this.getValueInRange2(startPosition, endPosition); if (eol) { if (eol !== this._EOL || !this._EOLNormalized) { return value.replace(/\r\n|\r|\n/g, eol); } if (eol === this.getEOL() && this._EOLNormalized) { if (eol === '\r\n') { } return value; } return value.replace(/\r\n|\r|\n/g, eol); } return value; }; PieceTreeBase.prototype.getValueInRange2 = function (startPosition, endPosition) { if (startPosition.node === endPosition.node) { var node = startPosition.node; var buffer_1 = this._buffers[node.piece.bufferIndex].buffer; var startOffset_1 = this.offsetInBuffer(node.piece.bufferIndex, node.piece.start); return buffer_1.substring(startOffset_1 + startPosition.remainder, startOffset_1 + endPosition.remainder); } var x = startPosition.node; var buffer = this._buffers[x.piece.bufferIndex].buffer; var startOffset = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); var ret = buffer.substring(startOffset + startPosition.remainder, startOffset + x.piece.length); x = x.next(); while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { var buffer_2 = this._buffers[x.piece.bufferIndex].buffer; var startOffset_2 = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); if (x === endPosition.node) { ret += buffer_2.substring(startOffset_2, startOffset_2 + endPosition.remainder); break; } else { ret += buffer_2.substr(startOffset_2, x.piece.length); } x = x.next(); } return ret; }; PieceTreeBase.prototype.getLinesContent = function () { return this.getContentOfSubTree(this.root).split(/\r\n|\r|\n/); }; PieceTreeBase.prototype.getLength = function () { return this._length; }; PieceTreeBase.prototype.getLineCount = function () { return this._lineCnt; }; PieceTreeBase.prototype.getLineContent = function (lineNumber) { if (this._lastVisitedLine.lineNumber === lineNumber) { return this._lastVisitedLine.value; } this._lastVisitedLine.lineNumber = lineNumber; if (lineNumber === this._lineCnt) { this._lastVisitedLine.value = this.getLineRawContent(lineNumber); } else if (this._EOLNormalized) { this._lastVisitedLine.value = this.getLineRawContent(lineNumber, this._EOLLength); } else { this._lastVisitedLine.value = this.getLineRawContent(lineNumber).replace(/(\r\n|\r|\n)$/, ''); } return this._lastVisitedLine.value; }; PieceTreeBase.prototype.getLineCharCode = function (lineNumber, index) { var nodePos = this.nodeAt2(lineNumber, index + 1); if (nodePos.remainder === nodePos.node.piece.length) { // the char we want to fetch is at the head of next node. var matchingNode = nodePos.node.next(); if (!matchingNode) { return 0; } var buffer = this._buffers[matchingNode.piece.bufferIndex]; var startOffset = this.offsetInBuffer(matchingNode.piece.bufferIndex, matchingNode.piece.start); return buffer.buffer.charCodeAt(startOffset); } else { var buffer = this._buffers[nodePos.node.piece.bufferIndex]; var startOffset = this.offsetInBuffer(nodePos.node.piece.bufferIndex, nodePos.node.piece.start); var targetOffset = startOffset + nodePos.remainder; return buffer.buffer.charCodeAt(targetOffset); } }; PieceTreeBase.prototype.getLineLength = function (lineNumber) { if (lineNumber === this.getLineCount()) { var startOffset = this.getOffsetAt(lineNumber, 1); return this.getLength() - startOffset; } return this.getOffsetAt(lineNumber + 1, 1) - this.getOffsetAt(lineNumber, 1) - this._EOLLength; }; PieceTreeBase.prototype.findMatchesInNode = function (node, searcher, startLineNumber, startColumn, startCursor, endCursor, searchData, captureMatches, limitResultCount, resultLen, result) { var buffer = this._buffers[node.piece.bufferIndex]; var startOffsetInBuffer = this.offsetInBuffer(node.piece.bufferIndex, node.piece.start); var start = this.offsetInBuffer(node.piece.bufferIndex, startCursor); var end = this.offsetInBuffer(node.piece.bufferIndex, endCursor); var m; // Reset regex to search from the beginning searcher.reset(start); var ret = { line: 0, column: 0 }; do { m = searcher.next(buffer.buffer); if (m) { if (m.index >= end) { return resultLen; } this.positionInBuffer(node, m.index - startOffsetInBuffer, ret); var lineFeedCnt = this.getLineFeedCnt(node.piece.bufferIndex, startCursor, ret); var retStartColumn = ret.line === startCursor.line ? ret.column - startCursor.column + startColumn : ret.column + 1; var retEndColumn = retStartColumn + m[0].length; result[resultLen++] = Object(__WEBPACK_IMPORTED_MODULE_4__textModelSearch_js__["d" /* createFindMatch */])(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](startLineNumber + lineFeedCnt, retStartColumn, startLineNumber + lineFeedCnt, retEndColumn), m, captureMatches); if (m.index + m[0].length >= end) { return resultLen; } if (resultLen >= limitResultCount) { return resultLen; } } } while (m); return resultLen; }; PieceTreeBase.prototype.findMatchesLineByLine = function (searchRange, searchData, captureMatches, limitResultCount) { var result = []; var resultLen = 0; var searcher = new __WEBPACK_IMPORTED_MODULE_4__textModelSearch_js__["b" /* Searcher */](searchData.wordSeparators, searchData.regex); var startPostion = this.nodeAt2(searchRange.startLineNumber, searchRange.startColumn); if (startPostion === null) { return []; } var endPosition = this.nodeAt2(searchRange.endLineNumber, searchRange.endColumn); if (endPosition === null) { return []; } var start = this.positionInBuffer(startPostion.node, startPostion.remainder); var end = this.positionInBuffer(endPosition.node, endPosition.remainder); if (startPostion.node === endPosition.node) { this.findMatchesInNode(startPostion.node, searcher, searchRange.startLineNumber, searchRange.startColumn, start, end, searchData, captureMatches, limitResultCount, resultLen, result); return result; } var startLineNumber = searchRange.startLineNumber; var currentNode = startPostion.node; while (currentNode !== endPosition.node) { var lineBreakCnt = this.getLineFeedCnt(currentNode.piece.bufferIndex, start, currentNode.piece.end); if (lineBreakCnt >= 1) { // last line break position var lineStarts = this._buffers[currentNode.piece.bufferIndex].lineStarts; var startOffsetInBuffer = this.offsetInBuffer(currentNode.piece.bufferIndex, currentNode.piece.start); var nextLineStartOffset = lineStarts[start.line + lineBreakCnt]; var startColumn_1 = startLineNumber === searchRange.startLineNumber ? searchRange.startColumn : 1; resultLen = this.findMatchesInNode(currentNode, searcher, startLineNumber, startColumn_1, start, this.positionInBuffer(currentNode, nextLineStartOffset - startOffsetInBuffer), searchData, captureMatches, limitResultCount, resultLen, result); if (resultLen >= limitResultCount) { return result; } startLineNumber += lineBreakCnt; } var startColumn_2 = startLineNumber === searchRange.startLineNumber ? searchRange.startColumn - 1 : 0; // search for the remaining content if (startLineNumber === searchRange.endLineNumber) { var text = this.getLineContent(startLineNumber).substring(startColumn_2, searchRange.endColumn - 1); resultLen = this._findMatchesInLine(searchData, searcher, text, searchRange.endLineNumber, startColumn_2, resultLen, result, captureMatches, limitResultCount); return result; } resultLen = this._findMatchesInLine(searchData, searcher, this.getLineContent(startLineNumber).substr(startColumn_2), startLineNumber, startColumn_2, resultLen, result, captureMatches, limitResultCount); if (resultLen >= limitResultCount) { return result; } startLineNumber++; startPostion = this.nodeAt2(startLineNumber, 1); currentNode = startPostion.node; start = this.positionInBuffer(startPostion.node, startPostion.remainder); } if (startLineNumber === searchRange.endLineNumber) { var startColumn_3 = startLineNumber === searchRange.startLineNumber ? searchRange.startColumn - 1 : 0; var text = this.getLineContent(startLineNumber).substring(startColumn_3, searchRange.endColumn - 1); resultLen = this._findMatchesInLine(searchData, searcher, text, searchRange.endLineNumber, startColumn_3, resultLen, result, captureMatches, limitResultCount); return result; } var startColumn = startLineNumber === searchRange.startLineNumber ? searchRange.startColumn : 1; resultLen = this.findMatchesInNode(endPosition.node, searcher, startLineNumber, startColumn, start, end, searchData, captureMatches, limitResultCount, resultLen, result); return result; }; PieceTreeBase.prototype._findMatchesInLine = function (searchData, searcher, text, lineNumber, deltaOffset, resultLen, result, captureMatches, limitResultCount) { var wordSeparators = searchData.wordSeparators; if (!captureMatches && searchData.simpleSearch) { var searchString = searchData.simpleSearch; var searchStringLen = searchString.length; var textLength = text.length; var lastMatchIndex = -searchStringLen; while ((lastMatchIndex = text.indexOf(searchString, lastMatchIndex + searchStringLen)) !== -1) { if (!wordSeparators || Object(__WEBPACK_IMPORTED_MODULE_4__textModelSearch_js__["e" /* isValidMatch */])(wordSeparators, text, textLength, lastMatchIndex, searchStringLen)) { result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_2__model_js__["b" /* FindMatch */](new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](lineNumber, lastMatchIndex + 1 + deltaOffset, lineNumber, lastMatchIndex + 1 + searchStringLen + deltaOffset), null); if (resultLen >= limitResultCount) { return resultLen; } } } return resultLen; } var m; // Reset regex to search from the beginning searcher.reset(0); do { m = searcher.next(text); if (m) { result[resultLen++] = Object(__WEBPACK_IMPORTED_MODULE_4__textModelSearch_js__["d" /* createFindMatch */])(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](lineNumber, m.index + 1 + deltaOffset, lineNumber, m.index + 1 + m[0].length + deltaOffset), m, captureMatches); if (resultLen >= limitResultCount) { return resultLen; } } } while (m); return resultLen; }; // #endregion // #region Piece Table PieceTreeBase.prototype.insert = function (offset, value, eolNormalized) { if (eolNormalized === void 0) { eolNormalized = false; } this._EOLNormalized = this._EOLNormalized && eolNormalized; this._lastVisitedLine.lineNumber = 0; this._lastVisitedLine.value = ''; if (this.root !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { var _a = this.nodeAt(offset), node = _a.node, remainder = _a.remainder, nodeStartOffset = _a.nodeStartOffset; var piece = node.piece; var bufferIndex = piece.bufferIndex; var insertPosInBuffer = this.positionInBuffer(node, remainder); if (node.piece.bufferIndex === 0 && piece.end.line === this._lastChangeBufferPos.line && piece.end.column === this._lastChangeBufferPos.column && (nodeStartOffset + piece.length === offset) && value.length < AverageBufferSize) { // changed buffer this.appendToNode(node, value); this.computeBufferMetadata(); return; } if (nodeStartOffset === offset) { this.insertContentToNodeLeft(value, node); this._searchCache.valdiate(offset); } else if (nodeStartOffset + node.piece.length > offset) { // we are inserting into the middle of a node. var nodesToDel = []; var newRightPiece = new Piece(piece.bufferIndex, insertPosInBuffer, piece.end, this.getLineFeedCnt(piece.bufferIndex, insertPosInBuffer, piece.end), this.offsetInBuffer(bufferIndex, piece.end) - this.offsetInBuffer(bufferIndex, insertPosInBuffer)); if (this.shouldCheckCRLF() && this.endWithCR(value)) { var headOfRight = this.nodeCharCodeAt(node, remainder); if (headOfRight === 10 /** \n */) { var newStart = { line: newRightPiece.start.line + 1, column: 0 }; newRightPiece = new Piece(newRightPiece.bufferIndex, newStart, newRightPiece.end, this.getLineFeedCnt(newRightPiece.bufferIndex, newStart, newRightPiece.end), newRightPiece.length - 1); value += '\n'; } } // reuse node for content before insertion point. if (this.shouldCheckCRLF() && this.startWithLF(value)) { var tailOfLeft = this.nodeCharCodeAt(node, remainder - 1); if (tailOfLeft === 13 /** \r */) { var previousPos = this.positionInBuffer(node, remainder - 1); this.deleteNodeTail(node, previousPos); value = '\r' + value; if (node.piece.length === 0) { nodesToDel.push(node); } } else { this.deleteNodeTail(node, insertPosInBuffer); } } else { this.deleteNodeTail(node, insertPosInBuffer); } var newPieces = this.createNewPieces(value); if (newRightPiece.length > 0) { this.rbInsertRight(node, newRightPiece); } var tmpNode = node; for (var k = 0; k < newPieces.length; k++) { tmpNode = this.rbInsertRight(tmpNode, newPieces[k]); } this.deleteNodes(nodesToDel); } else { this.insertContentToNodeRight(value, node); } } else { // insert new node var pieces = this.createNewPieces(value); var node = this.rbInsertLeft(null, pieces[0]); for (var k = 1; k < pieces.length; k++) { node = this.rbInsertRight(node, pieces[k]); } } // todo, this is too brutal. Total line feed count should be updated the same way as lf_left. this.computeBufferMetadata(); }; PieceTreeBase.prototype.delete = function (offset, cnt) { this._lastVisitedLine.lineNumber = 0; this._lastVisitedLine.value = ''; if (cnt <= 0 || this.root === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { return; } var startPosition = this.nodeAt(offset); var endPosition = this.nodeAt(offset + cnt); var startNode = startPosition.node; var endNode = endPosition.node; if (startNode === endNode) { var startSplitPosInBuffer_1 = this.positionInBuffer(startNode, startPosition.remainder); var endSplitPosInBuffer_1 = this.positionInBuffer(startNode, endPosition.remainder); if (startPosition.nodeStartOffset === offset) { if (cnt === startNode.piece.length) { // delete node var next = startNode.next(); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["e" /* rbDelete */])(this, startNode); this.validateCRLFWithPrevNode(next); this.computeBufferMetadata(); return; } this.deleteNodeHead(startNode, endSplitPosInBuffer_1); this._searchCache.valdiate(offset); this.validateCRLFWithPrevNode(startNode); this.computeBufferMetadata(); return; } if (startPosition.nodeStartOffset + startNode.piece.length === offset + cnt) { this.deleteNodeTail(startNode, startSplitPosInBuffer_1); this.validateCRLFWithNextNode(startNode); this.computeBufferMetadata(); return; } // delete content in the middle, this node will be splitted to nodes this.shrinkNode(startNode, startSplitPosInBuffer_1, endSplitPosInBuffer_1); this.computeBufferMetadata(); return; } var nodesToDel = []; var startSplitPosInBuffer = this.positionInBuffer(startNode, startPosition.remainder); this.deleteNodeTail(startNode, startSplitPosInBuffer); this._searchCache.valdiate(offset); if (startNode.piece.length === 0) { nodesToDel.push(startNode); } // update last touched node var endSplitPosInBuffer = this.positionInBuffer(endNode, endPosition.remainder); this.deleteNodeHead(endNode, endSplitPosInBuffer); if (endNode.piece.length === 0) { nodesToDel.push(endNode); } // delete nodes in between var secondNode = startNode.next(); for (var node = secondNode; node !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */] && node !== endNode; node = node.next()) { nodesToDel.push(node); } var prev = startNode.piece.length === 0 ? startNode.prev() : startNode; this.deleteNodes(nodesToDel); this.validateCRLFWithNextNode(prev); this.computeBufferMetadata(); }; PieceTreeBase.prototype.insertContentToNodeLeft = function (value, node) { // we are inserting content to the beginning of node var nodesToDel = []; if (this.shouldCheckCRLF() && this.endWithCR(value) && this.startWithLF(node)) { // move `\n` to new node. var piece = node.piece; var newStart = { line: piece.start.line + 1, column: 0 }; var nPiece = new Piece(piece.bufferIndex, newStart, piece.end, this.getLineFeedCnt(piece.bufferIndex, newStart, piece.end), piece.length - 1); node.piece = nPiece; value += '\n'; Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, node, -1, -1); if (node.piece.length === 0) { nodesToDel.push(node); } } var newPieces = this.createNewPieces(value); var newNode = this.rbInsertLeft(node, newPieces[newPieces.length - 1]); for (var k = newPieces.length - 2; k >= 0; k--) { newNode = this.rbInsertLeft(newNode, newPieces[k]); } this.validateCRLFWithPrevNode(newNode); this.deleteNodes(nodesToDel); }; PieceTreeBase.prototype.insertContentToNodeRight = function (value, node) { // we are inserting to the right of this node. if (this.adjustCarriageReturnFromNext(value, node)) { // move \n to the new node. value += '\n'; } var newPieces = this.createNewPieces(value); var newNode = this.rbInsertRight(node, newPieces[0]); var tmpNode = newNode; for (var k = 1; k < newPieces.length; k++) { tmpNode = this.rbInsertRight(tmpNode, newPieces[k]); } this.validateCRLFWithPrevNode(newNode); }; PieceTreeBase.prototype.positionInBuffer = function (node, remainder, ret) { var piece = node.piece; var bufferIndex = node.piece.bufferIndex; var lineStarts = this._buffers[bufferIndex].lineStarts; var startOffset = lineStarts[piece.start.line] + piece.start.column; var offset = startOffset + remainder; // binary search offset between startOffset and endOffset var low = piece.start.line; var high = piece.end.line; var mid = 0; var midStop = 0; var midStart = 0; while (low <= high) { mid = low + ((high - low) / 2) | 0; midStart = lineStarts[mid]; if (mid === high) { break; } midStop = lineStarts[mid + 1]; if (offset < midStart) { high = mid - 1; } else if (offset >= midStop) { low = mid + 1; } else { break; } } if (ret) { ret.line = mid; ret.column = offset - midStart; return null; } return { line: mid, column: offset - midStart }; }; PieceTreeBase.prototype.getLineFeedCnt = function (bufferIndex, start, end) { // we don't need to worry about start: abc\r|\n, or abc|\r, or abc|\n, or abc|\r\n doesn't change the fact that, there is one line break after start. // now let's take care of end: abc\r|\n, if end is in between \r and \n, we need to add line feed count by 1 if (end.column === 0) { return end.line - start.line; } var lineStarts = this._buffers[bufferIndex].lineStarts; if (end.line === lineStarts.length - 1) { // it means, there is no \n after end, otherwise, there will be one more lineStart. return end.line - start.line; } var nextLineStartOffset = lineStarts[end.line + 1]; var endOffset = lineStarts[end.line] + end.column; if (nextLineStartOffset > endOffset + 1) { // there are more than 1 character after end, which means it can't be \n return end.line - start.line; } // endOffset + 1 === nextLineStartOffset // character at endOffset is \n, so we check the character before first // if character at endOffset is \r, end.column is 0 and we can't get here. var previousCharOffset = endOffset - 1; // end.column > 0 so it's okay. var buffer = this._buffers[bufferIndex].buffer; if (buffer.charCodeAt(previousCharOffset) === 13) { return end.line - start.line + 1; } else { return end.line - start.line; } }; PieceTreeBase.prototype.offsetInBuffer = function (bufferIndex, cursor) { var lineStarts = this._buffers[bufferIndex].lineStarts; return lineStarts[cursor.line] + cursor.column; }; PieceTreeBase.prototype.deleteNodes = function (nodes) { for (var i = 0; i < nodes.length; i++) { Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["e" /* rbDelete */])(this, nodes[i]); } }; PieceTreeBase.prototype.createNewPieces = function (text) { if (text.length > AverageBufferSize) { // the content is large, operations like substring, charCode becomes slow // so here we split it into smaller chunks, just like what we did for CR/LF normalization var newPieces = []; while (text.length > AverageBufferSize) { var lastChar = text.charCodeAt(AverageBufferSize - 1); var splitText = void 0; if (lastChar === 13 /* CarriageReturn */ || (lastChar >= 0xD800 && lastChar <= 0xDBFF)) { // last character is \r or a high surrogate => keep it back splitText = text.substring(0, AverageBufferSize - 1); text = text.substring(AverageBufferSize - 1); } else { splitText = text.substring(0, AverageBufferSize); text = text.substring(AverageBufferSize); } var lineStarts_1 = createLineStartsFast(splitText); newPieces.push(new Piece(this._buffers.length, /* buffer index */ { line: 0, column: 0 }, { line: lineStarts_1.length - 1, column: splitText.length - lineStarts_1[lineStarts_1.length - 1] }, lineStarts_1.length - 1, splitText.length)); this._buffers.push(new StringBuffer(splitText, lineStarts_1)); } var lineStarts_2 = createLineStartsFast(text); newPieces.push(new Piece(this._buffers.length, /* buffer index */ { line: 0, column: 0 }, { line: lineStarts_2.length - 1, column: text.length - lineStarts_2[lineStarts_2.length - 1] }, lineStarts_2.length - 1, text.length)); this._buffers.push(new StringBuffer(text, lineStarts_2)); return newPieces; } var startOffset = this._buffers[0].buffer.length; var lineStarts = createLineStartsFast(text, false); var start = this._lastChangeBufferPos; if (this._buffers[0].lineStarts[this._buffers[0].lineStarts.length - 1] === startOffset && startOffset !== 0 && this.startWithLF(text) && this.endWithCR(this._buffers[0].buffer) // todo, we can check this._lastChangeBufferPos's column as it's the last one ) { this._lastChangeBufferPos = { line: this._lastChangeBufferPos.line, column: this._lastChangeBufferPos.column + 1 }; start = this._lastChangeBufferPos; for (var i = 0; i < lineStarts.length; i++) { lineStarts[i] += startOffset + 1; } this._buffers[0].lineStarts = this._buffers[0].lineStarts.concat(lineStarts.slice(1)); this._buffers[0].buffer += '_' + text; startOffset += 1; } else { if (startOffset !== 0) { for (var i = 0; i < lineStarts.length; i++) { lineStarts[i] += startOffset; } } this._buffers[0].lineStarts = this._buffers[0].lineStarts.concat(lineStarts.slice(1)); this._buffers[0].buffer += text; } var endOffset = this._buffers[0].buffer.length; var endIndex = this._buffers[0].lineStarts.length - 1; var endColumn = endOffset - this._buffers[0].lineStarts[endIndex]; var endPos = { line: endIndex, column: endColumn }; var newPiece = new Piece(0, /** todo@peng */ start, endPos, this.getLineFeedCnt(0, start, endPos), endOffset - startOffset); this._lastChangeBufferPos = endPos; return [newPiece]; }; PieceTreeBase.prototype.getLineRawContent = function (lineNumber, endOffset) { if (endOffset === void 0) { endOffset = 0; } var x = this.root; var ret = ''; var cache = this._searchCache.get2(lineNumber); if (cache) { x = cache.node; var prevAccumualtedValue = this.getAccumulatedValue(x, lineNumber - cache.nodeStartLineNumber - 1); var buffer = this._buffers[x.piece.bufferIndex].buffer; var startOffset = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); if (cache.nodeStartLineNumber + x.piece.lineFeedCnt === lineNumber) { ret = buffer.substring(startOffset + prevAccumualtedValue, startOffset + x.piece.length); } else { var accumualtedValue = this.getAccumulatedValue(x, lineNumber - cache.nodeStartLineNumber); return buffer.substring(startOffset + prevAccumualtedValue, startOffset + accumualtedValue - endOffset); } } else { var nodeStartOffset = 0; var originalLineNumber = lineNumber; while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { if (x.left !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */] && x.lf_left >= lineNumber - 1) { x = x.left; } else if (x.lf_left + x.piece.lineFeedCnt > lineNumber - 1) { var prevAccumualtedValue = this.getAccumulatedValue(x, lineNumber - x.lf_left - 2); var accumualtedValue = this.getAccumulatedValue(x, lineNumber - x.lf_left - 1); var buffer = this._buffers[x.piece.bufferIndex].buffer; var startOffset = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); nodeStartOffset += x.size_left; this._searchCache.set({ node: x, nodeStartOffset: nodeStartOffset, nodeStartLineNumber: originalLineNumber - (lineNumber - 1 - x.lf_left) }); return buffer.substring(startOffset + prevAccumualtedValue, startOffset + accumualtedValue - endOffset); } else if (x.lf_left + x.piece.lineFeedCnt === lineNumber - 1) { var prevAccumualtedValue = this.getAccumulatedValue(x, lineNumber - x.lf_left - 2); var buffer = this._buffers[x.piece.bufferIndex].buffer; var startOffset = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); ret = buffer.substring(startOffset + prevAccumualtedValue, startOffset + x.piece.length); break; } else { lineNumber -= x.lf_left + x.piece.lineFeedCnt; nodeStartOffset += x.size_left + x.piece.length; x = x.right; } } } // search in order, to find the node contains end column x = x.next(); while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { var buffer = this._buffers[x.piece.bufferIndex].buffer; if (x.piece.lineFeedCnt > 0) { var accumualtedValue = this.getAccumulatedValue(x, 0); var startOffset = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); ret += buffer.substring(startOffset, startOffset + accumualtedValue - endOffset); return ret; } else { var startOffset = this.offsetInBuffer(x.piece.bufferIndex, x.piece.start); ret += buffer.substr(startOffset, x.piece.length); } x = x.next(); } return ret; }; PieceTreeBase.prototype.computeBufferMetadata = function () { var x = this.root; var lfCnt = 1; var len = 0; while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { lfCnt += x.lf_left + x.piece.lineFeedCnt; len += x.size_left + x.piece.length; x = x.right; } this._lineCnt = lfCnt; this._length = len; this._searchCache.valdiate(this._length); }; // #region node operations PieceTreeBase.prototype.getIndexOf = function (node, accumulatedValue) { var piece = node.piece; var pos = this.positionInBuffer(node, accumulatedValue); var lineCnt = pos.line - piece.start.line; if (this.offsetInBuffer(piece.bufferIndex, piece.end) - this.offsetInBuffer(piece.bufferIndex, piece.start) === accumulatedValue) { // we are checking the end of this node, so a CRLF check is necessary. var realLineCnt = this.getLineFeedCnt(node.piece.bufferIndex, piece.start, pos); if (realLineCnt !== lineCnt) { // aha yes, CRLF return { index: realLineCnt, remainder: 0 }; } } return { index: lineCnt, remainder: pos.column }; }; PieceTreeBase.prototype.getAccumulatedValue = function (node, index) { if (index < 0) { return 0; } var piece = node.piece; var lineStarts = this._buffers[piece.bufferIndex].lineStarts; var expectedLineStartIndex = piece.start.line + index + 1; if (expectedLineStartIndex > piece.end.line) { return lineStarts[piece.end.line] + piece.end.column - lineStarts[piece.start.line] - piece.start.column; } else { return lineStarts[expectedLineStartIndex] - lineStarts[piece.start.line] - piece.start.column; } }; PieceTreeBase.prototype.deleteNodeTail = function (node, pos) { var piece = node.piece; var originalLFCnt = piece.lineFeedCnt; var originalEndOffset = this.offsetInBuffer(piece.bufferIndex, piece.end); var newEnd = pos; var newEndOffset = this.offsetInBuffer(piece.bufferIndex, newEnd); var newLineFeedCnt = this.getLineFeedCnt(piece.bufferIndex, piece.start, newEnd); var lf_delta = newLineFeedCnt - originalLFCnt; var size_delta = newEndOffset - originalEndOffset; var newLength = piece.length + size_delta; node.piece = new Piece(piece.bufferIndex, piece.start, newEnd, newLineFeedCnt, newLength); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, node, size_delta, lf_delta); }; PieceTreeBase.prototype.deleteNodeHead = function (node, pos) { var piece = node.piece; var originalLFCnt = piece.lineFeedCnt; var originalStartOffset = this.offsetInBuffer(piece.bufferIndex, piece.start); var newStart = pos; var newLineFeedCnt = this.getLineFeedCnt(piece.bufferIndex, newStart, piece.end); var newStartOffset = this.offsetInBuffer(piece.bufferIndex, newStart); var lf_delta = newLineFeedCnt - originalLFCnt; var size_delta = originalStartOffset - newStartOffset; var newLength = piece.length + size_delta; node.piece = new Piece(piece.bufferIndex, newStart, piece.end, newLineFeedCnt, newLength); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, node, size_delta, lf_delta); }; PieceTreeBase.prototype.shrinkNode = function (node, start, end) { var piece = node.piece; var originalStartPos = piece.start; var originalEndPos = piece.end; // old piece, originalStartPos, start var oldLength = piece.length; var oldLFCnt = piece.lineFeedCnt; var newEnd = start; var newLineFeedCnt = this.getLineFeedCnt(piece.bufferIndex, piece.start, newEnd); var newLength = this.offsetInBuffer(piece.bufferIndex, start) - this.offsetInBuffer(piece.bufferIndex, originalStartPos); node.piece = new Piece(piece.bufferIndex, piece.start, newEnd, newLineFeedCnt, newLength); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, node, newLength - oldLength, newLineFeedCnt - oldLFCnt); // new right piece, end, originalEndPos var newPiece = new Piece(piece.bufferIndex, end, originalEndPos, this.getLineFeedCnt(piece.bufferIndex, end, originalEndPos), this.offsetInBuffer(piece.bufferIndex, originalEndPos) - this.offsetInBuffer(piece.bufferIndex, end)); var newNode = this.rbInsertRight(node, newPiece); this.validateCRLFWithPrevNode(newNode); }; PieceTreeBase.prototype.appendToNode = function (node, value) { if (this.adjustCarriageReturnFromNext(value, node)) { value += '\n'; } var hitCRLF = this.shouldCheckCRLF() && this.startWithLF(value) && this.endWithCR(node); var startOffset = this._buffers[0].buffer.length; this._buffers[0].buffer += value; var lineStarts = createLineStartsFast(value, false); for (var i = 0; i < lineStarts.length; i++) { lineStarts[i] += startOffset; } if (hitCRLF) { var prevStartOffset = this._buffers[0].lineStarts[this._buffers[0].lineStarts.length - 2]; this._buffers[0].lineStarts.pop(); // _lastChangeBufferPos is already wrong this._lastChangeBufferPos = { line: this._lastChangeBufferPos.line - 1, column: startOffset - prevStartOffset }; } this._buffers[0].lineStarts = this._buffers[0].lineStarts.concat(lineStarts.slice(1)); var endIndex = this._buffers[0].lineStarts.length - 1; var endColumn = this._buffers[0].buffer.length - this._buffers[0].lineStarts[endIndex]; var newEnd = { line: endIndex, column: endColumn }; var newLength = node.piece.length + value.length; var oldLineFeedCnt = node.piece.lineFeedCnt; var newLineFeedCnt = this.getLineFeedCnt(0, node.piece.start, newEnd); var lf_delta = newLineFeedCnt - oldLineFeedCnt; node.piece = new Piece(node.piece.bufferIndex, node.piece.start, newEnd, newLineFeedCnt, newLength); this._lastChangeBufferPos = newEnd; Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, node, value.length, lf_delta); }; PieceTreeBase.prototype.nodeAt = function (offset) { var x = this.root; var cache = this._searchCache.get(offset); if (cache) { return { node: cache.node, nodeStartOffset: cache.nodeStartOffset, remainder: offset - cache.nodeStartOffset }; } var nodeStartOffset = 0; while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { if (x.size_left > offset) { x = x.left; } else if (x.size_left + x.piece.length >= offset) { nodeStartOffset += x.size_left; var ret = { node: x, remainder: offset - x.size_left, nodeStartOffset: nodeStartOffset }; this._searchCache.set(ret); return ret; } else { offset -= x.size_left + x.piece.length; nodeStartOffset += x.size_left + x.piece.length; x = x.right; } } return null; }; PieceTreeBase.prototype.nodeAt2 = function (lineNumber, column) { var x = this.root; var nodeStartOffset = 0; while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { if (x.left !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */] && x.lf_left >= lineNumber - 1) { x = x.left; } else if (x.lf_left + x.piece.lineFeedCnt > lineNumber - 1) { var prevAccumualtedValue = this.getAccumulatedValue(x, lineNumber - x.lf_left - 2); var accumualtedValue = this.getAccumulatedValue(x, lineNumber - x.lf_left - 1); nodeStartOffset += x.size_left; return { node: x, remainder: Math.min(prevAccumualtedValue + column - 1, accumualtedValue), nodeStartOffset: nodeStartOffset }; } else if (x.lf_left + x.piece.lineFeedCnt === lineNumber - 1) { var prevAccumualtedValue = this.getAccumulatedValue(x, lineNumber - x.lf_left - 2); if (prevAccumualtedValue + column - 1 <= x.piece.length) { return { node: x, remainder: prevAccumualtedValue + column - 1, nodeStartOffset: nodeStartOffset }; } else { column -= x.piece.length - prevAccumualtedValue; break; } } else { lineNumber -= x.lf_left + x.piece.lineFeedCnt; nodeStartOffset += x.size_left + x.piece.length; x = x.right; } } // search in order, to find the node contains position.column x = x.next(); while (x !== __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { if (x.piece.lineFeedCnt > 0) { var accumualtedValue = this.getAccumulatedValue(x, 0); var nodeStartOffset_1 = this.offsetOfNode(x); return { node: x, remainder: Math.min(column - 1, accumualtedValue), nodeStartOffset: nodeStartOffset_1 }; } else { if (x.piece.length >= column - 1) { var nodeStartOffset_2 = this.offsetOfNode(x); return { node: x, remainder: column - 1, nodeStartOffset: nodeStartOffset_2 }; } else { column -= x.piece.length; } } x = x.next(); } return null; }; PieceTreeBase.prototype.nodeCharCodeAt = function (node, offset) { if (node.piece.lineFeedCnt < 1) { return -1; } var buffer = this._buffers[node.piece.bufferIndex]; var newOffset = this.offsetInBuffer(node.piece.bufferIndex, node.piece.start) + offset; return buffer.buffer.charCodeAt(newOffset); }; PieceTreeBase.prototype.offsetOfNode = function (node) { if (!node) { return 0; } var pos = node.size_left; while (node !== this.root) { if (node.parent.right === node) { pos += node.parent.size_left + node.parent.piece.length; } node = node.parent; } return pos; }; // #endregion // #region CRLF PieceTreeBase.prototype.shouldCheckCRLF = function () { return !(this._EOLNormalized && this._EOL === '\n'); }; PieceTreeBase.prototype.startWithLF = function (val) { if (typeof val === 'string') { return val.charCodeAt(0) === 10; } if (val === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */] || val.piece.lineFeedCnt === 0) { return false; } var piece = val.piece; var lineStarts = this._buffers[piece.bufferIndex].lineStarts; var line = piece.start.line; var startOffset = lineStarts[line] + piece.start.column; if (line === lineStarts.length - 1) { // last line, so there is no line feed at the end of this line return false; } var nextLineOffset = lineStarts[line + 1]; if (nextLineOffset > startOffset + 1) { return false; } return this._buffers[piece.bufferIndex].buffer.charCodeAt(startOffset) === 10; }; PieceTreeBase.prototype.endWithCR = function (val) { if (typeof val === 'string') { return val.charCodeAt(val.length - 1) === 13; } if (val === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */] || val.piece.lineFeedCnt === 0) { return false; } return this.nodeCharCodeAt(val, val.piece.length - 1) === 13; }; PieceTreeBase.prototype.validateCRLFWithPrevNode = function (nextNode) { if (this.shouldCheckCRLF() && this.startWithLF(nextNode)) { var node = nextNode.prev(); if (this.endWithCR(node)) { this.fixCRLF(node, nextNode); } } }; PieceTreeBase.prototype.validateCRLFWithNextNode = function (node) { if (this.shouldCheckCRLF() && this.endWithCR(node)) { var nextNode = node.next(); if (this.startWithLF(nextNode)) { this.fixCRLF(node, nextNode); } } }; PieceTreeBase.prototype.fixCRLF = function (prev, next) { var nodesToDel = []; // update node var lineStarts = this._buffers[prev.piece.bufferIndex].lineStarts; var newEnd; if (prev.piece.end.column === 0) { // it means, last line ends with \r, not \r\n newEnd = { line: prev.piece.end.line - 1, column: lineStarts[prev.piece.end.line] - lineStarts[prev.piece.end.line - 1] - 1 }; } else { // \r\n newEnd = { line: prev.piece.end.line, column: prev.piece.end.column - 1 }; } var prevNewLength = prev.piece.length - 1; var prevNewLFCnt = prev.piece.lineFeedCnt - 1; prev.piece = new Piece(prev.piece.bufferIndex, prev.piece.start, newEnd, prevNewLFCnt, prevNewLength); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, prev, -1, -1); if (prev.piece.length === 0) { nodesToDel.push(prev); } // update nextNode var newStart = { line: next.piece.start.line + 1, column: 0 }; var newLength = next.piece.length - 1; var newLineFeedCnt = this.getLineFeedCnt(next.piece.bufferIndex, newStart, next.piece.end); next.piece = new Piece(next.piece.bufferIndex, newStart, next.piece.end, newLineFeedCnt, newLength); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, next, -1, -1); if (next.piece.length === 0) { nodesToDel.push(next); } // create new piece which contains \r\n var pieces = this.createNewPieces('\r\n'); this.rbInsertRight(prev, pieces[0]); // delete empty nodes for (var i = 0; i < nodesToDel.length; i++) { Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["e" /* rbDelete */])(this, nodesToDel[i]); } }; PieceTreeBase.prototype.adjustCarriageReturnFromNext = function (value, node) { if (this.shouldCheckCRLF() && this.endWithCR(value)) { var nextNode = node.next(); if (this.startWithLF(nextNode)) { // move `\n` forward value += '\n'; if (nextNode.piece.length === 1) { Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["e" /* rbDelete */])(this, nextNode); } else { var piece = nextNode.piece; var newStart = { line: piece.start.line + 1, column: 0 }; var newLength = piece.length - 1; var newLineFeedCnt = this.getLineFeedCnt(piece.bufferIndex, newStart, piece.end); nextNode.piece = new Piece(piece.bufferIndex, newStart, piece.end, newLineFeedCnt, newLength); Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["g" /* updateTreeMetadata */])(this, nextNode, -1, -1); } return true; } } return false; }; // #endregion // #endregion // #region Tree operations PieceTreeBase.prototype.iterate = function (node, callback) { if (node === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { return callback(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]); } var leftRet = this.iterate(node.left, callback); if (!leftRet) { return leftRet; } return callback(node) && this.iterate(node.right, callback); }; PieceTreeBase.prototype.getNodeContent = function (node) { if (node === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { return ''; } var buffer = this._buffers[node.piece.bufferIndex]; var currentContent; var piece = node.piece; var startOffset = this.offsetInBuffer(piece.bufferIndex, piece.start); var endOffset = this.offsetInBuffer(piece.bufferIndex, piece.end); currentContent = buffer.buffer.substring(startOffset, endOffset); return currentContent; }; /** * node node * / \ / \ * a b <---- a b * / * z */ PieceTreeBase.prototype.rbInsertRight = function (node, p) { var z = new __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["b" /* TreeNode */](p, 1 /* Red */); z.left = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; z.right = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; z.parent = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; z.size_left = 0; z.lf_left = 0; var x = this.root; if (x === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { this.root = z; z.color = 0 /* Black */; } else if (node.right === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { node.right = z; z.parent = node; } else { var nextNode = Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["d" /* leftest */])(node.right); nextNode.left = z; z.parent = nextNode; } Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["c" /* fixInsert */])(this, z); return z; }; /** * node node * / \ / \ * a b ----> a b * \ * z */ PieceTreeBase.prototype.rbInsertLeft = function (node, p) { var z = new __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["b" /* TreeNode */](p, 1 /* Red */); z.left = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; z.right = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; z.parent = __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]; z.size_left = 0; z.lf_left = 0; if (this.root === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { this.root = z; z.color = 0 /* Black */; } else if (node.left === __WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["a" /* SENTINEL */]) { node.left = z; z.parent = node; } else { var prevNode = Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["f" /* righttest */])(node.left); // a prevNode.right = z; z.parent = prevNode; } Object(__WEBPACK_IMPORTED_MODULE_3__rbTreeBase_js__["c" /* fixInsert */])(this, z); return z; }; PieceTreeBase.prototype.getContentOfSubTree = function (node) { var _this = this; var str = ''; this.iterate(node, function (node) { str += _this.getNodeContent(node); return true; }); return str; }; return PieceTreeBase; }()); /***/ }), /***/ 1703: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return SearchParams; }); /* unused harmony export isMultilineRegexSource */ /* unused harmony export SearchData */ /* harmony export (immutable) */ __webpack_exports__["d"] = createFindMatch; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return TextModelSearch; }); /* harmony export (immutable) */ __webpack_exports__["e"] = isValidMatch; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return Searcher; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__controller_wordCharacterClassifier_js__ = __webpack_require__(1450); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__model_js__ = __webpack_require__(1325); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var LIMIT_FIND_COUNT = 999; var SearchParams = /** @class */ (function () { function SearchParams(searchString, isRegex, matchCase, wordSeparators) { this.searchString = searchString; this.isRegex = isRegex; this.matchCase = matchCase; this.wordSeparators = wordSeparators; } SearchParams.prototype.parseSearchRequest = function () { if (this.searchString === '') { return null; } // Try to create a RegExp out of the params var multiline; if (this.isRegex) { multiline = isMultilineRegexSource(this.searchString); } else { multiline = (this.searchString.indexOf('\n') >= 0); } var regex = null; try { regex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["h" /* createRegExp */](this.searchString, this.isRegex, { matchCase: this.matchCase, wholeWord: false, multiline: multiline, global: true }); } catch (err) { return null; } if (!regex) { return null; } var canUseSimpleSearch = (!this.isRegex && !multiline); if (canUseSimpleSearch && this.searchString.toLowerCase() !== this.searchString.toUpperCase()) { // casing might make a difference canUseSimpleSearch = this.matchCase; } return new SearchData(regex, this.wordSeparators ? Object(__WEBPACK_IMPORTED_MODULE_1__controller_wordCharacterClassifier_js__["a" /* getMapForWordSeparators */])(this.wordSeparators) : null, canUseSimpleSearch ? this.searchString : null); }; return SearchParams; }()); function isMultilineRegexSource(searchString) { if (!searchString || searchString.length === 0) { return false; } for (var i = 0, len = searchString.length; i < len; i++) { var chCode = searchString.charCodeAt(i); if (chCode === 92 /* Backslash */) { // move to next char i++; if (i >= len) { // string ends with a \ break; } var nextChCode = searchString.charCodeAt(i); if (nextChCode === 110 /* n */ || nextChCode === 114 /* r */ || nextChCode === 87 /* W */) { return true; } } } return false; } var SearchData = /** @class */ (function () { function SearchData(regex, wordSeparators, simpleSearch) { this.regex = regex; this.wordSeparators = wordSeparators; this.simpleSearch = simpleSearch; } return SearchData; }()); function createFindMatch(range, rawMatches, captureMatches) { if (!captureMatches) { return new __WEBPACK_IMPORTED_MODULE_4__model_js__["b" /* FindMatch */](range, null); } var matches = []; for (var i = 0, len = rawMatches.length; i < len; i++) { matches[i] = rawMatches[i]; } return new __WEBPACK_IMPORTED_MODULE_4__model_js__["b" /* FindMatch */](range, matches); } var LineFeedCounter = /** @class */ (function () { function LineFeedCounter(text) { var lineFeedsOffsets = []; var lineFeedsOffsetsLen = 0; for (var i = 0, textLen = text.length; i < textLen; i++) { if (text.charCodeAt(i) === 10 /* LineFeed */) { lineFeedsOffsets[lineFeedsOffsetsLen++] = i; } } this._lineFeedsOffsets = lineFeedsOffsets; } LineFeedCounter.prototype.findLineFeedCountBeforeOffset = function (offset) { var lineFeedsOffsets = this._lineFeedsOffsets; var min = 0; var max = lineFeedsOffsets.length - 1; if (max === -1) { // no line feeds return 0; } if (offset <= lineFeedsOffsets[0]) { // before first line feed return 0; } while (min < max) { var mid = min + ((max - min) / 2 >> 0); if (lineFeedsOffsets[mid] >= offset) { max = mid - 1; } else { if (lineFeedsOffsets[mid + 1] >= offset) { // bingo! min = mid; max = mid; } else { min = mid + 1; } } } return min + 1; }; return LineFeedCounter; }()); var TextModelSearch = /** @class */ (function () { function TextModelSearch() { } TextModelSearch.findMatches = function (model, searchParams, searchRange, captureMatches, limitResultCount) { var searchData = searchParams.parseSearchRequest(); if (!searchData) { return []; } if (searchData.regex.multiline) { return this._doFindMatchesMultiline(model, searchRange, new Searcher(searchData.wordSeparators, searchData.regex), captureMatches, limitResultCount); } return this._doFindMatchesLineByLine(model, searchRange, searchData, captureMatches, limitResultCount); }; /** * Multiline search always executes on the lines concatenated with \n. * We must therefore compensate for the count of \n in case the model is CRLF */ TextModelSearch._getMultilineMatchRange = function (model, deltaOffset, text, lfCounter, matchIndex, match0) { var startOffset; var lineFeedCountBeforeMatch = 0; if (lfCounter) { lineFeedCountBeforeMatch = lfCounter.findLineFeedCountBeforeOffset(matchIndex); startOffset = deltaOffset + matchIndex + lineFeedCountBeforeMatch /* add as many \r as there were \n */; } else { startOffset = deltaOffset + matchIndex; } var endOffset; if (lfCounter) { var lineFeedCountBeforeEndOfMatch = lfCounter.findLineFeedCountBeforeOffset(matchIndex + match0.length); var lineFeedCountInMatch = lineFeedCountBeforeEndOfMatch - lineFeedCountBeforeMatch; endOffset = startOffset + match0.length + lineFeedCountInMatch /* add as many \r as there were \n */; } else { endOffset = startOffset + match0.length; } var startPosition = model.getPositionAt(startOffset); var endPosition = model.getPositionAt(endOffset); return new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](startPosition.lineNumber, startPosition.column, endPosition.lineNumber, endPosition.column); }; TextModelSearch._doFindMatchesMultiline = function (model, searchRange, searcher, captureMatches, limitResultCount) { var deltaOffset = model.getOffsetAt(searchRange.getStartPosition()); // We always execute multiline search over the lines joined with \n // This makes it that \n will match the EOL for both CRLF and LF models // We compensate for offset errors in `_getMultilineMatchRange` var text = model.getValueInRange(searchRange, 1 /* LF */); var lfCounter = (model.getEOL() === '\r\n' ? new LineFeedCounter(text) : null); var result = []; var counter = 0; var m; searcher.reset(0); while ((m = searcher.next(text))) { result[counter++] = createFindMatch(this._getMultilineMatchRange(model, deltaOffset, text, lfCounter, m.index, m[0]), m, captureMatches); if (counter >= limitResultCount) { return result; } } return result; }; TextModelSearch._doFindMatchesLineByLine = function (model, searchRange, searchData, captureMatches, limitResultCount) { var result = []; var resultLen = 0; // Early case for a search range that starts & stops on the same line number if (searchRange.startLineNumber === searchRange.endLineNumber) { var text_1 = model.getLineContent(searchRange.startLineNumber).substring(searchRange.startColumn - 1, searchRange.endColumn - 1); resultLen = this._findMatchesInLine(searchData, text_1, searchRange.startLineNumber, searchRange.startColumn - 1, resultLen, result, captureMatches, limitResultCount); return result; } // Collect results from first line var text = model.getLineContent(searchRange.startLineNumber).substring(searchRange.startColumn - 1); resultLen = this._findMatchesInLine(searchData, text, searchRange.startLineNumber, searchRange.startColumn - 1, resultLen, result, captureMatches, limitResultCount); // Collect results from middle lines for (var lineNumber = searchRange.startLineNumber + 1; lineNumber < searchRange.endLineNumber && resultLen < limitResultCount; lineNumber++) { resultLen = this._findMatchesInLine(searchData, model.getLineContent(lineNumber), lineNumber, 0, resultLen, result, captureMatches, limitResultCount); } // Collect results from last line if (resultLen < limitResultCount) { var text_2 = model.getLineContent(searchRange.endLineNumber).substring(0, searchRange.endColumn - 1); resultLen = this._findMatchesInLine(searchData, text_2, searchRange.endLineNumber, 0, resultLen, result, captureMatches, limitResultCount); } return result; }; TextModelSearch._findMatchesInLine = function (searchData, text, lineNumber, deltaOffset, resultLen, result, captureMatches, limitResultCount) { var wordSeparators = searchData.wordSeparators; if (!captureMatches && searchData.simpleSearch) { var searchString = searchData.simpleSearch; var searchStringLen = searchString.length; var textLength = text.length; var lastMatchIndex = -searchStringLen; while ((lastMatchIndex = text.indexOf(searchString, lastMatchIndex + searchStringLen)) !== -1) { if (!wordSeparators || isValidMatch(wordSeparators, text, textLength, lastMatchIndex, searchStringLen)) { result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_4__model_js__["b" /* FindMatch */](new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](lineNumber, lastMatchIndex + 1 + deltaOffset, lineNumber, lastMatchIndex + 1 + searchStringLen + deltaOffset), null); if (resultLen >= limitResultCount) { return resultLen; } } } return resultLen; } var searcher = new Searcher(searchData.wordSeparators, searchData.regex); var m; // Reset regex to search from the beginning searcher.reset(0); do { m = searcher.next(text); if (m) { result[resultLen++] = createFindMatch(new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](lineNumber, m.index + 1 + deltaOffset, lineNumber, m.index + 1 + m[0].length + deltaOffset), m, captureMatches); if (resultLen >= limitResultCount) { return resultLen; } } } while (m); return resultLen; }; TextModelSearch.findNextMatch = function (model, searchParams, searchStart, captureMatches) { var searchData = searchParams.parseSearchRequest(); if (!searchData) { return null; } var searcher = new Searcher(searchData.wordSeparators, searchData.regex); if (searchData.regex.multiline) { return this._doFindNextMatchMultiline(model, searchStart, searcher, captureMatches); } return this._doFindNextMatchLineByLine(model, searchStart, searcher, captureMatches); }; TextModelSearch._doFindNextMatchMultiline = function (model, searchStart, searcher, captureMatches) { var searchTextStart = new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](searchStart.lineNumber, 1); var deltaOffset = model.getOffsetAt(searchTextStart); var lineCount = model.getLineCount(); // We always execute multiline search over the lines joined with \n // This makes it that \n will match the EOL for both CRLF and LF models // We compensate for offset errors in `_getMultilineMatchRange` var text = model.getValueInRange(new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](searchTextStart.lineNumber, searchTextStart.column, lineCount, model.getLineMaxColumn(lineCount)), 1 /* LF */); var lfCounter = (model.getEOL() === '\r\n' ? new LineFeedCounter(text) : null); searcher.reset(searchStart.column - 1); var m = searcher.next(text); if (m) { return createFindMatch(this._getMultilineMatchRange(model, deltaOffset, text, lfCounter, m.index, m[0]), m, captureMatches); } if (searchStart.lineNumber !== 1 || searchStart.column !== 1) { // Try again from the top return this._doFindNextMatchMultiline(model, new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](1, 1), searcher, captureMatches); } return null; }; TextModelSearch._doFindNextMatchLineByLine = function (model, searchStart, searcher, captureMatches) { var lineCount = model.getLineCount(); var startLineNumber = searchStart.lineNumber; // Look in first line var text = model.getLineContent(startLineNumber); var r = this._findFirstMatchInLine(searcher, text, startLineNumber, searchStart.column, captureMatches); if (r) { return r; } for (var i = 1; i <= lineCount; i++) { var lineIndex = (startLineNumber + i - 1) % lineCount; var text_3 = model.getLineContent(lineIndex + 1); var r_1 = this._findFirstMatchInLine(searcher, text_3, lineIndex + 1, 1, captureMatches); if (r_1) { return r_1; } } return null; }; TextModelSearch._findFirstMatchInLine = function (searcher, text, lineNumber, fromColumn, captureMatches) { // Set regex to search from column searcher.reset(fromColumn - 1); var m = searcher.next(text); if (m) { return createFindMatch(new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](lineNumber, m.index + 1, lineNumber, m.index + 1 + m[0].length), m, captureMatches); } return null; }; TextModelSearch.findPreviousMatch = function (model, searchParams, searchStart, captureMatches) { var searchData = searchParams.parseSearchRequest(); if (!searchData) { return null; } var searcher = new Searcher(searchData.wordSeparators, searchData.regex); if (searchData.regex.multiline) { return this._doFindPreviousMatchMultiline(model, searchStart, searcher, captureMatches); } return this._doFindPreviousMatchLineByLine(model, searchStart, searcher, captureMatches); }; TextModelSearch._doFindPreviousMatchMultiline = function (model, searchStart, searcher, captureMatches) { var matches = this._doFindMatchesMultiline(model, new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](1, 1, searchStart.lineNumber, searchStart.column), searcher, captureMatches, 10 * LIMIT_FIND_COUNT); if (matches.length > 0) { return matches[matches.length - 1]; } var lineCount = model.getLineCount(); if (searchStart.lineNumber !== lineCount || searchStart.column !== model.getLineMaxColumn(lineCount)) { // Try again with all content return this._doFindPreviousMatchMultiline(model, new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](lineCount, model.getLineMaxColumn(lineCount)), searcher, captureMatches); } return null; }; TextModelSearch._doFindPreviousMatchLineByLine = function (model, searchStart, searcher, captureMatches) { var lineCount = model.getLineCount(); var startLineNumber = searchStart.lineNumber; // Look in first line var text = model.getLineContent(startLineNumber).substring(0, searchStart.column - 1); var r = this._findLastMatchInLine(searcher, text, startLineNumber, captureMatches); if (r) { return r; } for (var i = 1; i <= lineCount; i++) { var lineIndex = (lineCount + startLineNumber - i - 1) % lineCount; var text_4 = model.getLineContent(lineIndex + 1); var r_2 = this._findLastMatchInLine(searcher, text_4, lineIndex + 1, captureMatches); if (r_2) { return r_2; } } return null; }; TextModelSearch._findLastMatchInLine = function (searcher, text, lineNumber, captureMatches) { var bestResult = null; var m; searcher.reset(0); while ((m = searcher.next(text))) { bestResult = createFindMatch(new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](lineNumber, m.index + 1, lineNumber, m.index + 1 + m[0].length), m, captureMatches); } return bestResult; }; return TextModelSearch; }()); function leftIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength) { if (matchStartIndex === 0) { // Match starts at start of string return true; } var charBefore = text.charCodeAt(matchStartIndex - 1); if (wordSeparators.get(charBefore) !== 0 /* Regular */) { // The character before the match is a word separator return true; } if (charBefore === 13 /* CarriageReturn */ || charBefore === 10 /* LineFeed */) { // The character before the match is line break or carriage return. return true; } if (matchLength > 0) { var firstCharInMatch = text.charCodeAt(matchStartIndex); if (wordSeparators.get(firstCharInMatch) !== 0 /* Regular */) { // The first character inside the match is a word separator return true; } } return false; } function rightIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength) { if (matchStartIndex + matchLength === textLength) { // Match ends at end of string return true; } var charAfter = text.charCodeAt(matchStartIndex + matchLength); if (wordSeparators.get(charAfter) !== 0 /* Regular */) { // The character after the match is a word separator return true; } if (charAfter === 13 /* CarriageReturn */ || charAfter === 10 /* LineFeed */) { // The character after the match is line break or carriage return. return true; } if (matchLength > 0) { var lastCharInMatch = text.charCodeAt(matchStartIndex + matchLength - 1); if (wordSeparators.get(lastCharInMatch) !== 0 /* Regular */) { // The last character in the match is a word separator return true; } } return false; } function isValidMatch(wordSeparators, text, textLength, matchStartIndex, matchLength) { return (leftIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength) && rightIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength)); } var Searcher = /** @class */ (function () { function Searcher(wordSeparators, searchRegex) { this._wordSeparators = wordSeparators; this._searchRegex = searchRegex; this._prevMatchStartIndex = -1; this._prevMatchLength = 0; } Searcher.prototype.reset = function (lastIndex) { this._searchRegex.lastIndex = lastIndex; this._prevMatchStartIndex = -1; this._prevMatchLength = 0; }; Searcher.prototype.next = function (text) { var textLength = text.length; var m; do { if (this._prevMatchStartIndex + this._prevMatchLength === textLength) { // Reached the end of the line return null; } m = this._searchRegex.exec(text); if (!m) { return null; } var matchStartIndex = m.index; var matchLength = m[0].length; if (matchStartIndex === this._prevMatchStartIndex && matchLength === this._prevMatchLength) { // Exit early if the regex matches the same range twice return null; } this._prevMatchStartIndex = matchStartIndex; this._prevMatchLength = matchLength; if (!this._wordSeparators || isValidMatch(this._wordSeparators, text, textLength, matchStartIndex, matchLength)) { return m; } } while (m); return null; }; return Searcher; }()); /***/ }), /***/ 1704: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DeleteOperations; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__commands_replaceCommand_js__ = __webpack_require__(1705); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__cursorMoveOperations_js__ = __webpack_require__(1706); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var DeleteOperations = /** @class */ (function () { function DeleteOperations() { } DeleteOperations.deleteRight = function (prevEditOperationType, config, model, selections) { var commands = []; var shouldPushStackElementBefore = (prevEditOperationType !== 3 /* DeletingRight */); for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var deleteSelection = selection; if (deleteSelection.isEmpty()) { var position = selection.getPosition(); var rightOfPosition = __WEBPACK_IMPORTED_MODULE_3__cursorMoveOperations_js__["a" /* MoveOperations */].right(config, model, position.lineNumber, position.column); deleteSelection = new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](rightOfPosition.lineNumber, rightOfPosition.column, position.lineNumber, position.column); } if (deleteSelection.isEmpty()) { // Probably at end of file => ignore commands[i] = null; continue; } if (deleteSelection.startLineNumber !== deleteSelection.endLineNumber) { shouldPushStackElementBefore = true; } commands[i] = new __WEBPACK_IMPORTED_MODULE_1__commands_replaceCommand_js__["a" /* ReplaceCommand */](deleteSelection, ''); } return [shouldPushStackElementBefore, commands]; }; DeleteOperations._isAutoClosingPairDelete = function (config, model, selections) { if (config.autoClosingBrackets === 'never' && config.autoClosingQuotes === 'never') { return false; } for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var position = selection.getPosition(); if (!selection.isEmpty()) { return false; } var lineText = model.getLineContent(position.lineNumber); var character = lineText[position.column - 2]; if (!config.autoClosingPairsOpen.hasOwnProperty(character)) { return false; } if (Object(__WEBPACK_IMPORTED_MODULE_2__cursorCommon_js__["g" /* isQuote */])(character)) { if (config.autoClosingQuotes === 'never') { return false; } } else { if (config.autoClosingBrackets === 'never') { return false; } } var afterCharacter = lineText[position.column - 1]; var closeCharacter = config.autoClosingPairsOpen[character]; if (afterCharacter !== closeCharacter) { return false; } } return true; }; DeleteOperations._runAutoClosingPairDelete = function (config, model, selections) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var position = selections[i].getPosition(); var deleteSelection = new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](position.lineNumber, position.column - 1, position.lineNumber, position.column + 1); commands[i] = new __WEBPACK_IMPORTED_MODULE_1__commands_replaceCommand_js__["a" /* ReplaceCommand */](deleteSelection, ''); } return [true, commands]; }; DeleteOperations.deleteLeft = function (prevEditOperationType, config, model, selections) { if (this._isAutoClosingPairDelete(config, model, selections)) { return this._runAutoClosingPairDelete(config, model, selections); } var commands = []; var shouldPushStackElementBefore = (prevEditOperationType !== 2 /* DeletingLeft */); for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var deleteSelection = selection; if (deleteSelection.isEmpty()) { var position = selection.getPosition(); if (config.useTabStops && position.column > 1) { var lineContent = model.getLineContent(position.lineNumber); var firstNonWhitespaceIndex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](lineContent); var lastIndentationColumn = (firstNonWhitespaceIndex === -1 ? /* entire string is whitespace */ lineContent.length + 1 : firstNonWhitespaceIndex + 1); if (position.column <= lastIndentationColumn) { var fromVisibleColumn = __WEBPACK_IMPORTED_MODULE_2__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, position); var toVisibleColumn = __WEBPACK_IMPORTED_MODULE_2__cursorCommon_js__["a" /* CursorColumns */].prevIndentTabStop(fromVisibleColumn, config.indentSize); var toColumn = __WEBPACK_IMPORTED_MODULE_2__cursorCommon_js__["a" /* CursorColumns */].columnFromVisibleColumn2(config, model, position.lineNumber, toVisibleColumn); deleteSelection = new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](position.lineNumber, toColumn, position.lineNumber, position.column); } else { deleteSelection = new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](position.lineNumber, position.column - 1, position.lineNumber, position.column); } } else { var leftOfPosition = __WEBPACK_IMPORTED_MODULE_3__cursorMoveOperations_js__["a" /* MoveOperations */].left(config, model, position.lineNumber, position.column); deleteSelection = new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](leftOfPosition.lineNumber, leftOfPosition.column, position.lineNumber, position.column); } } if (deleteSelection.isEmpty()) { // Probably at beginning of file => ignore commands[i] = null; continue; } if (deleteSelection.startLineNumber !== deleteSelection.endLineNumber) { shouldPushStackElementBefore = true; } commands[i] = new __WEBPACK_IMPORTED_MODULE_1__commands_replaceCommand_js__["a" /* ReplaceCommand */](deleteSelection, ''); } return [shouldPushStackElementBefore, commands]; }; DeleteOperations.cut = function (config, model, selections) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; if (selection.isEmpty()) { if (config.emptySelectionClipboard) { // This is a full line cut var position = selection.getPosition(); var startLineNumber = void 0, startColumn = void 0, endLineNumber = void 0, endColumn = void 0; if (position.lineNumber < model.getLineCount()) { // Cutting a line in the middle of the model startLineNumber = position.lineNumber; startColumn = 1; endLineNumber = position.lineNumber + 1; endColumn = 1; } else if (position.lineNumber > 1) { // Cutting the last line & there are more than 1 lines in the model startLineNumber = position.lineNumber - 1; startColumn = model.getLineMaxColumn(position.lineNumber - 1); endLineNumber = position.lineNumber; endColumn = model.getLineMaxColumn(position.lineNumber); } else { // Cutting the single line that the model contains startLineNumber = position.lineNumber; startColumn = 1; endLineNumber = position.lineNumber; endColumn = model.getLineMaxColumn(position.lineNumber); } var deleteSelection = new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn); if (!deleteSelection.isEmpty()) { commands[i] = new __WEBPACK_IMPORTED_MODULE_1__commands_replaceCommand_js__["a" /* ReplaceCommand */](deleteSelection, ''); } else { commands[i] = null; } } else { // Cannot cut empty selection commands[i] = null; } } else { commands[i] = new __WEBPACK_IMPORTED_MODULE_1__commands_replaceCommand_js__["a" /* ReplaceCommand */](selection, ''); } } return new __WEBPACK_IMPORTED_MODULE_2__cursorCommon_js__["e" /* EditOperationResult */](0 /* Other */, commands, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: true }); }; return DeleteOperations; }()); /***/ }), /***/ 1705: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ReplaceCommand; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ReplaceCommandWithoutChangingPosition; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ReplaceCommandWithOffsetCursorState; }); /* unused harmony export ReplaceCommandThatPreservesSelection */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_selection_js__ = __webpack_require__(1148); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ReplaceCommand = /** @class */ (function () { function ReplaceCommand(range, text, insertsAutoWhitespace) { if (insertsAutoWhitespace === void 0) { insertsAutoWhitespace = false; } this._range = range; this._text = text; this.insertsAutoWhitespace = insertsAutoWhitespace; } ReplaceCommand.prototype.getEditOperations = function (model, builder) { builder.addTrackedEditOperation(this._range, this._text); }; ReplaceCommand.prototype.computeCursorState = function (model, helper) { var inverseEditOperations = helper.getInverseEditOperations(); var srcRange = inverseEditOperations[0].range; return new __WEBPACK_IMPORTED_MODULE_0__core_selection_js__["a" /* Selection */](srcRange.endLineNumber, srcRange.endColumn, srcRange.endLineNumber, srcRange.endColumn); }; return ReplaceCommand; }()); var ReplaceCommandWithoutChangingPosition = /** @class */ (function () { function ReplaceCommandWithoutChangingPosition(range, text, insertsAutoWhitespace) { if (insertsAutoWhitespace === void 0) { insertsAutoWhitespace = false; } this._range = range; this._text = text; this.insertsAutoWhitespace = insertsAutoWhitespace; } ReplaceCommandWithoutChangingPosition.prototype.getEditOperations = function (model, builder) { builder.addTrackedEditOperation(this._range, this._text); }; ReplaceCommandWithoutChangingPosition.prototype.computeCursorState = function (model, helper) { var inverseEditOperations = helper.getInverseEditOperations(); var srcRange = inverseEditOperations[0].range; return new __WEBPACK_IMPORTED_MODULE_0__core_selection_js__["a" /* Selection */](srcRange.startLineNumber, srcRange.startColumn, srcRange.startLineNumber, srcRange.startColumn); }; return ReplaceCommandWithoutChangingPosition; }()); var ReplaceCommandWithOffsetCursorState = /** @class */ (function () { function ReplaceCommandWithOffsetCursorState(range, text, lineNumberDeltaOffset, columnDeltaOffset, insertsAutoWhitespace) { if (insertsAutoWhitespace === void 0) { insertsAutoWhitespace = false; } this._range = range; this._text = text; this._columnDeltaOffset = columnDeltaOffset; this._lineNumberDeltaOffset = lineNumberDeltaOffset; this.insertsAutoWhitespace = insertsAutoWhitespace; } ReplaceCommandWithOffsetCursorState.prototype.getEditOperations = function (model, builder) { builder.addTrackedEditOperation(this._range, this._text); }; ReplaceCommandWithOffsetCursorState.prototype.computeCursorState = function (model, helper) { var inverseEditOperations = helper.getInverseEditOperations(); var srcRange = inverseEditOperations[0].range; return new __WEBPACK_IMPORTED_MODULE_0__core_selection_js__["a" /* Selection */](srcRange.endLineNumber + this._lineNumberDeltaOffset, srcRange.endColumn + this._columnDeltaOffset, srcRange.endLineNumber + this._lineNumberDeltaOffset, srcRange.endColumn + this._columnDeltaOffset); }; return ReplaceCommandWithOffsetCursorState; }()); var ReplaceCommandThatPreservesSelection = /** @class */ (function () { function ReplaceCommandThatPreservesSelection(editRange, text, initialSelection) { this._range = editRange; this._text = text; this._initialSelection = initialSelection; } ReplaceCommandThatPreservesSelection.prototype.getEditOperations = function (model, builder) { builder.addEditOperation(this._range, this._text); this._selectionId = builder.trackSelection(this._initialSelection); }; ReplaceCommandThatPreservesSelection.prototype.computeCursorState = function (model, helper) { return helper.getTrackedSelection(this._selectionId); }; return ReplaceCommandThatPreservesSelection; }()); /***/ }), /***/ 1706: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export CursorPosition */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MoveOperations; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CursorPosition = /** @class */ (function () { function CursorPosition(lineNumber, column, leftoverVisibleColumns) { this.lineNumber = lineNumber; this.column = column; this.leftoverVisibleColumns = leftoverVisibleColumns; } return CursorPosition; }()); var MoveOperations = /** @class */ (function () { function MoveOperations() { } MoveOperations.left = function (config, model, lineNumber, column) { if (column > model.getLineMinColumn(lineNumber)) { if (__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].isLowSurrogate(model, lineNumber, column - 2)) { // character before column is a low surrogate column = column - 2; } else { column = column - 1; } } else if (lineNumber > 1) { lineNumber = lineNumber - 1; column = model.getLineMaxColumn(lineNumber); } return new CursorPosition(lineNumber, column, 0); }; MoveOperations.moveLeft = function (config, model, cursor, inSelectionMode, noOfColumns) { var lineNumber, column; if (cursor.hasSelection() && !inSelectionMode) { // If we are in selection mode, move left without selection cancels selection and puts cursor at the beginning of the selection lineNumber = cursor.selection.startLineNumber; column = cursor.selection.startColumn; } else { var r = MoveOperations.left(config, model, cursor.position.lineNumber, cursor.position.column - (noOfColumns - 1)); lineNumber = r.lineNumber; column = r.column; } return cursor.move(inSelectionMode, lineNumber, column, 0); }; MoveOperations.right = function (config, model, lineNumber, column) { if (column < model.getLineMaxColumn(lineNumber)) { if (__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].isHighSurrogate(model, lineNumber, column - 1)) { // character after column is a high surrogate column = column + 2; } else { column = column + 1; } } else if (lineNumber < model.getLineCount()) { lineNumber = lineNumber + 1; column = model.getLineMinColumn(lineNumber); } return new CursorPosition(lineNumber, column, 0); }; MoveOperations.moveRight = function (config, model, cursor, inSelectionMode, noOfColumns) { var lineNumber, column; if (cursor.hasSelection() && !inSelectionMode) { // If we are in selection mode, move right without selection cancels selection and puts cursor at the end of the selection lineNumber = cursor.selection.endLineNumber; column = cursor.selection.endColumn; } else { var r = MoveOperations.right(config, model, cursor.position.lineNumber, cursor.position.column + (noOfColumns - 1)); lineNumber = r.lineNumber; column = r.column; } return cursor.move(inSelectionMode, lineNumber, column, 0); }; MoveOperations.down = function (config, model, lineNumber, column, leftoverVisibleColumns, count, allowMoveOnLastLine) { var currentVisibleColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(model.getLineContent(lineNumber), column, config.tabSize) + leftoverVisibleColumns; lineNumber = lineNumber + count; var lineCount = model.getLineCount(); if (lineNumber > lineCount) { lineNumber = lineCount; if (allowMoveOnLastLine) { column = model.getLineMaxColumn(lineNumber); } else { column = Math.min(model.getLineMaxColumn(lineNumber), column); if (__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].isInsideSurrogatePair(model, lineNumber, column)) { column = column - 1; } } } else { column = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].columnFromVisibleColumn2(config, model, lineNumber, currentVisibleColumn); if (__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].isInsideSurrogatePair(model, lineNumber, column)) { column = column - 1; } } leftoverVisibleColumns = currentVisibleColumn - __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(model.getLineContent(lineNumber), column, config.tabSize); return new CursorPosition(lineNumber, column, leftoverVisibleColumns); }; MoveOperations.moveDown = function (config, model, cursor, inSelectionMode, linesCount) { var lineNumber, column; if (cursor.hasSelection() && !inSelectionMode) { // If we are in selection mode, move down acts relative to the end of selection lineNumber = cursor.selection.endLineNumber; column = cursor.selection.endColumn; } else { lineNumber = cursor.position.lineNumber; column = cursor.position.column; } var r = MoveOperations.down(config, model, lineNumber, column, cursor.leftoverVisibleColumns, linesCount, true); return cursor.move(inSelectionMode, r.lineNumber, r.column, r.leftoverVisibleColumns); }; MoveOperations.translateDown = function (config, model, cursor) { var selection = cursor.selection; var selectionStart = MoveOperations.down(config, model, selection.selectionStartLineNumber, selection.selectionStartColumn, cursor.selectionStartLeftoverVisibleColumns, 1, false); var position = MoveOperations.down(config, model, selection.positionLineNumber, selection.positionColumn, cursor.leftoverVisibleColumns, 1, false); return new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](selectionStart.lineNumber, selectionStart.column, selectionStart.lineNumber, selectionStart.column), selectionStart.leftoverVisibleColumns, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](position.lineNumber, position.column), position.leftoverVisibleColumns); }; MoveOperations.up = function (config, model, lineNumber, column, leftoverVisibleColumns, count, allowMoveOnFirstLine) { var currentVisibleColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(model.getLineContent(lineNumber), column, config.tabSize) + leftoverVisibleColumns; lineNumber = lineNumber - count; if (lineNumber < 1) { lineNumber = 1; if (allowMoveOnFirstLine) { column = model.getLineMinColumn(lineNumber); } else { column = Math.min(model.getLineMaxColumn(lineNumber), column); if (__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].isInsideSurrogatePair(model, lineNumber, column)) { column = column - 1; } } } else { column = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].columnFromVisibleColumn2(config, model, lineNumber, currentVisibleColumn); if (__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].isInsideSurrogatePair(model, lineNumber, column)) { column = column - 1; } } leftoverVisibleColumns = currentVisibleColumn - __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(model.getLineContent(lineNumber), column, config.tabSize); return new CursorPosition(lineNumber, column, leftoverVisibleColumns); }; MoveOperations.moveUp = function (config, model, cursor, inSelectionMode, linesCount) { var lineNumber, column; if (cursor.hasSelection() && !inSelectionMode) { // If we are in selection mode, move up acts relative to the beginning of selection lineNumber = cursor.selection.startLineNumber; column = cursor.selection.startColumn; } else { lineNumber = cursor.position.lineNumber; column = cursor.position.column; } var r = MoveOperations.up(config, model, lineNumber, column, cursor.leftoverVisibleColumns, linesCount, true); return cursor.move(inSelectionMode, r.lineNumber, r.column, r.leftoverVisibleColumns); }; MoveOperations.translateUp = function (config, model, cursor) { var selection = cursor.selection; var selectionStart = MoveOperations.up(config, model, selection.selectionStartLineNumber, selection.selectionStartColumn, cursor.selectionStartLeftoverVisibleColumns, 1, false); var position = MoveOperations.up(config, model, selection.positionLineNumber, selection.positionColumn, cursor.leftoverVisibleColumns, 1, false); return new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](selectionStart.lineNumber, selectionStart.column, selectionStart.lineNumber, selectionStart.column), selectionStart.leftoverVisibleColumns, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](position.lineNumber, position.column), position.leftoverVisibleColumns); }; MoveOperations.moveToBeginningOfLine = function (config, model, cursor, inSelectionMode) { var lineNumber = cursor.position.lineNumber; var minColumn = model.getLineMinColumn(lineNumber); var firstNonBlankColumn = model.getLineFirstNonWhitespaceColumn(lineNumber) || minColumn; var column; var relevantColumnNumber = cursor.position.column; if (relevantColumnNumber === firstNonBlankColumn) { column = minColumn; } else { column = firstNonBlankColumn; } return cursor.move(inSelectionMode, lineNumber, column, 0); }; MoveOperations.moveToEndOfLine = function (config, model, cursor, inSelectionMode) { var lineNumber = cursor.position.lineNumber; var maxColumn = model.getLineMaxColumn(lineNumber); return cursor.move(inSelectionMode, lineNumber, maxColumn, 0); }; MoveOperations.moveToBeginningOfBuffer = function (config, model, cursor, inSelectionMode) { return cursor.move(inSelectionMode, 1, 1, 0); }; MoveOperations.moveToEndOfBuffer = function (config, model, cursor, inSelectionMode) { var lastLineNumber = model.getLineCount(); var lastColumn = model.getLineMaxColumn(lastLineNumber); return cursor.move(inSelectionMode, lastLineNumber, lastColumn, 0); }; return MoveOperations; }()); /***/ }), /***/ 1707: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return TypeOperations; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__ = __webpack_require__(1705); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__commands_shiftCommand_js__ = __webpack_require__(1953); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__commands_surroundSelectionCommand_js__ = __webpack_require__(1954); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__wordCharacterClassifier_js__ = __webpack_require__(1450); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__ = __webpack_require__(1394); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__ = __webpack_require__(1327); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var TypeOperations = /** @class */ (function () { function TypeOperations() { } TypeOperations.indent = function (config, model, selections) { if (model === null || selections === null) { return []; } var commands = []; for (var i = 0, len = selections.length; i < len; i++) { commands[i] = new __WEBPACK_IMPORTED_MODULE_3__commands_shiftCommand_js__["a" /* ShiftCommand */](selections[i], { isUnshift: false, tabSize: config.tabSize, indentSize: config.indentSize, insertSpaces: config.insertSpaces, useTabStops: config.useTabStops }); } return commands; }; TypeOperations.outdent = function (config, model, selections) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { commands[i] = new __WEBPACK_IMPORTED_MODULE_3__commands_shiftCommand_js__["a" /* ShiftCommand */](selections[i], { isUnshift: true, tabSize: config.tabSize, indentSize: config.indentSize, insertSpaces: config.insertSpaces, useTabStops: config.useTabStops }); } return commands; }; TypeOperations.shiftIndent = function (config, indentation, count) { count = count || 1; return __WEBPACK_IMPORTED_MODULE_3__commands_shiftCommand_js__["a" /* ShiftCommand */].shiftIndent(indentation, indentation.length + count, config.tabSize, config.indentSize, config.insertSpaces); }; TypeOperations.unshiftIndent = function (config, indentation, count) { count = count || 1; return __WEBPACK_IMPORTED_MODULE_3__commands_shiftCommand_js__["a" /* ShiftCommand */].unshiftIndent(indentation, indentation.length + count, config.tabSize, config.indentSize, config.insertSpaces); }; TypeOperations._distributedPaste = function (config, model, selections, text) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](selections[i], text[i]); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](0 /* Other */, commands, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: true }); }; TypeOperations._simplePaste = function (config, model, selections, text, pasteOnNewLine) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var position = selection.getPosition(); if (pasteOnNewLine && text.indexOf('\n') !== text.length - 1) { pasteOnNewLine = false; } if (pasteOnNewLine && selection.startLineNumber !== selection.endLineNumber) { pasteOnNewLine = false; } if (pasteOnNewLine && selection.startColumn === model.getLineMinColumn(selection.startLineNumber) && selection.endColumn === model.getLineMaxColumn(selection.startLineNumber)) { pasteOnNewLine = false; } if (pasteOnNewLine) { // Paste entire line at the beginning of line var typeSelection = new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](position.lineNumber, 1, position.lineNumber, 1); commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](typeSelection, text); } else { commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](selection, text); } } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](0 /* Other */, commands, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: true }); }; TypeOperations._distributePasteToCursors = function (selections, text, pasteOnNewLine, multicursorText) { if (pasteOnNewLine) { return null; } if (selections.length === 1) { return null; } if (multicursorText && multicursorText.length === selections.length) { return multicursorText; } // Remove trailing \n if present if (text.charCodeAt(text.length - 1) === 10 /* LineFeed */) { text = text.substr(0, text.length - 1); } var lines = text.split(/\r\n|\r|\n/); if (lines.length === selections.length) { return lines; } return null; }; TypeOperations.paste = function (config, model, selections, text, pasteOnNewLine, multicursorText) { var distributedPaste = this._distributePasteToCursors(selections, text, pasteOnNewLine, multicursorText); if (distributedPaste) { selections = selections.sort(__WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */].compareRangesUsingStarts); return this._distributedPaste(config, model, selections, distributedPaste); } else { return this._simplePaste(config, model, selections, text, pasteOnNewLine); } }; TypeOperations._goodIndentForLine = function (config, model, lineNumber) { var action = null; var indentation = ''; var expectedIndentAction = config.autoIndent ? __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getInheritIndentForLine(model, lineNumber, false) : null; if (expectedIndentAction) { action = expectedIndentAction.action; indentation = expectedIndentAction.indentation; } else if (lineNumber > 1) { var lastLineNumber = void 0; for (lastLineNumber = lineNumber - 1; lastLineNumber >= 1; lastLineNumber--) { var lineText = model.getLineContent(lastLineNumber); var nonWhitespaceIdx = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["x" /* lastNonWhitespaceIndex */](lineText); if (nonWhitespaceIdx >= 0) { break; } } if (lastLineNumber < 1) { // No previous line with content found return null; } var maxColumn = model.getLineMaxColumn(lastLineNumber); var expectedEnterAction = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getEnterAction(model, new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](lastLineNumber, maxColumn, lastLineNumber, maxColumn)); if (expectedEnterAction) { indentation = expectedEnterAction.indentation; action = expectedEnterAction.enterAction; if (action) { indentation += action.appendText; } } } if (action) { if (action === __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__["a" /* IndentAction */].Indent) { indentation = TypeOperations.shiftIndent(config, indentation); } if (action === __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__["a" /* IndentAction */].Outdent) { indentation = TypeOperations.unshiftIndent(config, indentation); } indentation = config.normalizeIndentation(indentation); } if (!indentation) { return null; } return indentation; }; TypeOperations._replaceJumpToNextIndent = function (config, model, selection, insertsAutoWhitespace) { var typeText = ''; var position = selection.getStartPosition(); if (config.insertSpaces) { var visibleColumnFromColumn = __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, position); var indentSize = config.indentSize; var spacesCnt = indentSize - (visibleColumnFromColumn % indentSize); for (var i = 0; i < spacesCnt; i++) { typeText += ' '; } } else { typeText = '\t'; } return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](selection, typeText, insertsAutoWhitespace); }; TypeOperations.tab = function (config, model, selections) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; if (selection.isEmpty()) { var lineText = model.getLineContent(selection.startLineNumber); if (/^\s*$/.test(lineText) && model.isCheapToTokenize(selection.startLineNumber)) { var goodIndent = this._goodIndentForLine(config, model, selection.startLineNumber); goodIndent = goodIndent || '\t'; var possibleTypeText = config.normalizeIndentation(goodIndent); if (!__WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["B" /* startsWith */](lineText, possibleTypeText)) { commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](selection.startLineNumber, 1, selection.startLineNumber, lineText.length + 1), possibleTypeText, true); continue; } } commands[i] = this._replaceJumpToNextIndent(config, model, selection, true); } else { if (selection.startLineNumber === selection.endLineNumber) { var lineMaxColumn = model.getLineMaxColumn(selection.startLineNumber); if (selection.startColumn !== 1 || selection.endColumn !== lineMaxColumn) { // This is a single line selection that is not the entire line commands[i] = this._replaceJumpToNextIndent(config, model, selection, false); continue; } } commands[i] = new __WEBPACK_IMPORTED_MODULE_3__commands_shiftCommand_js__["a" /* ShiftCommand */](selection, { isUnshift: false, tabSize: config.tabSize, indentSize: config.indentSize, insertSpaces: config.insertSpaces, useTabStops: config.useTabStops }); } } return commands; }; TypeOperations.replacePreviousChar = function (prevEditOperationType, config, model, selections, txt, replaceCharCnt) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; if (!selection.isEmpty()) { // looks like https://github.com/Microsoft/vscode/issues/2773 // where a cursor operation occurred before a canceled composition // => ignore composition commands[i] = null; continue; } var pos = selection.getPosition(); var startColumn = Math.max(1, pos.column - replaceCharCnt); var range = new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](pos.lineNumber, startColumn, pos.lineNumber, pos.column); commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](range, txt); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands, { shouldPushStackElementBefore: (prevEditOperationType !== 1 /* Typing */), shouldPushStackElementAfter: false }); }; TypeOperations._typeCommand = function (range, text, keepPosition) { if (keepPosition) { return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["c" /* ReplaceCommandWithoutChangingPosition */](range, text, true); } else { return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](range, text, true); } }; TypeOperations._enter = function (config, model, keepPosition, range) { if (!model.isCheapToTokenize(range.getStartPosition().lineNumber)) { var lineText_1 = model.getLineContent(range.startLineNumber); var indentation_1 = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["p" /* getLeadingWhitespace */](lineText_1).substring(0, range.startColumn - 1); return TypeOperations._typeCommand(range, '\n' + config.normalizeIndentation(indentation_1), keepPosition); } var r = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getEnterAction(model, range); if (r) { var enterAction = r.enterAction; var indentation_2 = r.indentation; if (enterAction.indentAction === __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__["a" /* IndentAction */].None) { // Nothing special return TypeOperations._typeCommand(range, '\n' + config.normalizeIndentation(indentation_2 + enterAction.appendText), keepPosition); } else if (enterAction.indentAction === __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__["a" /* IndentAction */].Indent) { // Indent once return TypeOperations._typeCommand(range, '\n' + config.normalizeIndentation(indentation_2 + enterAction.appendText), keepPosition); } else if (enterAction.indentAction === __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__["a" /* IndentAction */].IndentOutdent) { // Ultra special var normalIndent = config.normalizeIndentation(indentation_2); var increasedIndent = config.normalizeIndentation(indentation_2 + enterAction.appendText); var typeText = '\n' + increasedIndent + '\n' + normalIndent; if (keepPosition) { return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["c" /* ReplaceCommandWithoutChangingPosition */](range, typeText, true); } else { return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["b" /* ReplaceCommandWithOffsetCursorState */](range, typeText, -1, increasedIndent.length - normalIndent.length, true); } } else if (enterAction.indentAction === __WEBPACK_IMPORTED_MODULE_8__modes_languageConfiguration_js__["a" /* IndentAction */].Outdent) { var actualIndentation = TypeOperations.unshiftIndent(config, indentation_2); return TypeOperations._typeCommand(range, '\n' + config.normalizeIndentation(actualIndentation + enterAction.appendText), keepPosition); } } // no enter rules applied, we should check indentation rules then. if (!config.autoIndent) { // Nothing special var lineText_2 = model.getLineContent(range.startLineNumber); var indentation_3 = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["p" /* getLeadingWhitespace */](lineText_2).substring(0, range.startColumn - 1); return TypeOperations._typeCommand(range, '\n' + config.normalizeIndentation(indentation_3), keepPosition); } var ir = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getIndentForEnter(model, range, { unshiftIndent: function (indent) { return TypeOperations.unshiftIndent(config, indent); }, shiftIndent: function (indent) { return TypeOperations.shiftIndent(config, indent); }, normalizeIndentation: function (indent) { return config.normalizeIndentation(indent); } }, config.autoIndent); var lineText = model.getLineContent(range.startLineNumber); var indentation = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["p" /* getLeadingWhitespace */](lineText).substring(0, range.startColumn - 1); if (ir) { var oldEndViewColumn = __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, range.getEndPosition()); var oldEndColumn = range.endColumn; var beforeText = '\n'; if (indentation !== config.normalizeIndentation(ir.beforeEnter)) { beforeText = config.normalizeIndentation(ir.beforeEnter) + lineText.substring(indentation.length, range.startColumn - 1) + '\n'; range = new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](range.startLineNumber, 1, range.endLineNumber, range.endColumn); } var newLineContent = model.getLineContent(range.endLineNumber); var firstNonWhitespace = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](newLineContent); if (firstNonWhitespace >= 0) { range = range.setEndPosition(range.endLineNumber, Math.max(range.endColumn, firstNonWhitespace + 1)); } else { range = range.setEndPosition(range.endLineNumber, model.getLineMaxColumn(range.endLineNumber)); } if (keepPosition) { return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["c" /* ReplaceCommandWithoutChangingPosition */](range, beforeText + config.normalizeIndentation(ir.afterEnter), true); } else { var offset = 0; if (oldEndColumn <= firstNonWhitespace + 1) { if (!config.insertSpaces) { oldEndViewColumn = Math.ceil(oldEndViewColumn / config.indentSize); } offset = Math.min(oldEndViewColumn + 1 - config.normalizeIndentation(ir.afterEnter).length - 1, 0); } return new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["b" /* ReplaceCommandWithOffsetCursorState */](range, beforeText + config.normalizeIndentation(ir.afterEnter), 0, offset, true); } } else { return TypeOperations._typeCommand(range, '\n' + config.normalizeIndentation(indentation), keepPosition); } }; TypeOperations._isAutoIndentType = function (config, model, selections) { if (!config.autoIndent) { return false; } for (var i = 0, len = selections.length; i < len; i++) { if (!model.isCheapToTokenize(selections[i].getEndPosition().lineNumber)) { return false; } } return true; }; TypeOperations._runAutoIndentType = function (config, model, range, ch) { var currentIndentation = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getIndentationAtPosition(model, range.startLineNumber, range.startColumn); var actualIndentation = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getIndentActionForType(model, range, ch, { shiftIndent: function (indentation) { return TypeOperations.shiftIndent(config, indentation); }, unshiftIndent: function (indentation) { return TypeOperations.unshiftIndent(config, indentation); }, }); if (actualIndentation === null) { return null; } if (actualIndentation !== config.normalizeIndentation(currentIndentation)) { var firstNonWhitespace = model.getLineFirstNonWhitespaceColumn(range.startLineNumber); if (firstNonWhitespace === 0) { return TypeOperations._typeCommand(new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](range.startLineNumber, 0, range.endLineNumber, range.endColumn), config.normalizeIndentation(actualIndentation) + ch, false); } else { return TypeOperations._typeCommand(new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](range.startLineNumber, 0, range.endLineNumber, range.endColumn), config.normalizeIndentation(actualIndentation) + model.getLineContent(range.startLineNumber).substring(firstNonWhitespace - 1, range.startColumn - 1) + ch, false); } } return null; }; TypeOperations._isAutoClosingCloseCharType = function (config, model, selections, ch) { var autoCloseConfig = Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(ch) ? config.autoClosingQuotes : config.autoClosingBrackets; if (autoCloseConfig === 'never' || !config.autoClosingPairsClose.hasOwnProperty(ch)) { return false; } var isEqualPair = (ch === config.autoClosingPairsClose[ch]); for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; if (!selection.isEmpty()) { return false; } var position = selection.getPosition(); var lineText = model.getLineContent(position.lineNumber); var afterCharacter = lineText.charAt(position.column - 1); if (afterCharacter !== ch) { return false; } if (isEqualPair) { var lineTextBeforeCursor = lineText.substr(0, position.column - 1); var chCntBefore = this._countNeedlesInHaystack(lineTextBeforeCursor, ch); if (chCntBefore % 2 === 0) { return false; } } } return true; }; TypeOperations._countNeedlesInHaystack = function (haystack, needle) { var cnt = 0; var lastIndex = -1; while ((lastIndex = haystack.indexOf(needle, lastIndex + 1)) !== -1) { cnt++; } return cnt; }; TypeOperations._runAutoClosingCloseCharType = function (prevEditOperationType, config, model, selections, ch) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var position = selection.getPosition(); var typeSelection = new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column + 1); commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](typeSelection, ch); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands, { shouldPushStackElementBefore: (prevEditOperationType !== 1 /* Typing */), shouldPushStackElementAfter: false }); }; TypeOperations._isBeforeClosingBrace = function (config, ch, characterAfter) { var thisBraceIsSymmetric = (config.autoClosingPairsOpen[ch] === ch); var isBeforeCloseBrace = false; for (var otherCloseBrace in config.autoClosingPairsClose) { var otherBraceIsSymmetric = (config.autoClosingPairsOpen[otherCloseBrace] === otherCloseBrace); if (!thisBraceIsSymmetric && otherBraceIsSymmetric) { continue; } if (characterAfter === otherCloseBrace) { isBeforeCloseBrace = true; break; } } return isBeforeCloseBrace; }; TypeOperations._isAutoClosingOpenCharType = function (config, model, selections, ch) { var chIsQuote = Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(ch); var autoCloseConfig = chIsQuote ? config.autoClosingQuotes : config.autoClosingBrackets; if (autoCloseConfig === 'never' || !config.autoClosingPairsOpen.hasOwnProperty(ch)) { return false; } var shouldAutoCloseBefore = chIsQuote ? config.shouldAutoCloseBefore.quote : config.shouldAutoCloseBefore.bracket; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; if (!selection.isEmpty()) { return false; } var position = selection.getPosition(); var lineText = model.getLineContent(position.lineNumber); // Do not auto-close ' or " after a word character if (chIsQuote && position.column > 1) { var wordSeparators = Object(__WEBPACK_IMPORTED_MODULE_6__wordCharacterClassifier_js__["a" /* getMapForWordSeparators */])(config.wordSeparators); var characterBeforeCode = lineText.charCodeAt(position.column - 2); var characterBeforeType = wordSeparators.get(characterBeforeCode); if (characterBeforeType === 0 /* Regular */) { return false; } } // Only consider auto closing the pair if a space follows or if another autoclosed pair follows var characterAfter = lineText.charAt(position.column - 1); if (characterAfter) { var isBeforeCloseBrace = TypeOperations._isBeforeClosingBrace(config, ch, characterAfter); if (!isBeforeCloseBrace && !shouldAutoCloseBefore(characterAfter)) { return false; } } if (!model.isCheapToTokenize(position.lineNumber)) { // Do not force tokenization return false; } model.forceTokenization(position.lineNumber); var lineTokens = model.getLineTokens(position.lineNumber); var shouldAutoClosePair = false; try { shouldAutoClosePair = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].shouldAutoClosePair(ch, lineTokens, position.column); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); } if (!shouldAutoClosePair) { return false; } } return true; }; TypeOperations._runAutoClosingOpenCharType = function (prevEditOperationType, config, model, selections, ch) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var closeCharacter = config.autoClosingPairsOpen[ch]; commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["b" /* ReplaceCommandWithOffsetCursorState */](selection, ch + closeCharacter, 0, -closeCharacter.length); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: false }); }; TypeOperations._shouldSurroundChar = function (config, ch) { if (Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(ch)) { return (config.autoSurround === 'quotes' || config.autoSurround === 'languageDefined'); } else { // Character is a bracket return (config.autoSurround === 'brackets' || config.autoSurround === 'languageDefined'); } }; TypeOperations._isSurroundSelectionType = function (config, model, selections, ch) { if (!TypeOperations._shouldSurroundChar(config, ch) || !config.surroundingPairs.hasOwnProperty(ch)) { return false; } var isTypingAQuoteCharacter = Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(ch); for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; if (selection.isEmpty()) { return false; } var selectionContainsOnlyWhitespace = true; for (var lineNumber = selection.startLineNumber; lineNumber <= selection.endLineNumber; lineNumber++) { var lineText = model.getLineContent(lineNumber); var startIndex = (lineNumber === selection.startLineNumber ? selection.startColumn - 1 : 0); var endIndex = (lineNumber === selection.endLineNumber ? selection.endColumn - 1 : lineText.length); var selectedText = lineText.substring(startIndex, endIndex); if (/[^ \t]/.test(selectedText)) { // this selected text contains something other than whitespace selectionContainsOnlyWhitespace = false; break; } } if (selectionContainsOnlyWhitespace) { return false; } if (isTypingAQuoteCharacter && selection.startLineNumber === selection.endLineNumber && selection.startColumn + 1 === selection.endColumn) { var selectionText = model.getValueInRange(selection); if (Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(selectionText)) { // Typing a quote character on top of another quote character // => disable surround selection type return false; } } } return true; }; TypeOperations._runSurroundSelectionType = function (prevEditOperationType, config, model, selections, ch) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; var closeCharacter = config.surroundingPairs[ch]; commands[i] = new __WEBPACK_IMPORTED_MODULE_4__commands_surroundSelectionCommand_js__["a" /* SurroundSelectionCommand */](selection, ch, closeCharacter); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](0 /* Other */, commands, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: true }); }; TypeOperations._isTypeInterceptorElectricChar = function (config, model, selections) { if (selections.length === 1 && model.isCheapToTokenize(selections[0].getEndPosition().lineNumber)) { return true; } return false; }; TypeOperations._typeInterceptorElectricChar = function (prevEditOperationType, config, model, selection, ch) { if (!config.electricChars.hasOwnProperty(ch) || !selection.isEmpty()) { return null; } var position = selection.getPosition(); model.forceTokenization(position.lineNumber); var lineTokens = model.getLineTokens(position.lineNumber); var electricAction; try { electricAction = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].onElectricCharacter(ch, lineTokens, position.column); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); return null; } if (!electricAction) { return null; } if (electricAction.appendText) { var command = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["b" /* ReplaceCommandWithOffsetCursorState */](selection, ch + electricAction.appendText, 0, -electricAction.appendText.length); return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, [command], { shouldPushStackElementBefore: false, shouldPushStackElementAfter: true }); } if (electricAction.matchOpenBracket) { var endColumn = (lineTokens.getLineContent() + ch).lastIndexOf(electricAction.matchOpenBracket) + 1; var match = model.findMatchingBracketUp(electricAction.matchOpenBracket, { lineNumber: position.lineNumber, column: endColumn }); if (match) { if (match.startLineNumber === position.lineNumber) { // matched something on the same line => no change in indentation return null; } var matchLine = model.getLineContent(match.startLineNumber); var matchLineIndentation = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["p" /* getLeadingWhitespace */](matchLine); var newIndentation = config.normalizeIndentation(matchLineIndentation); var lineText = model.getLineContent(position.lineNumber); var lineFirstNonBlankColumn = model.getLineFirstNonWhitespaceColumn(position.lineNumber) || position.column; var prefix = lineText.substring(lineFirstNonBlankColumn - 1, position.column - 1); var typeText = newIndentation + prefix + ch; var typeSelection = new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](position.lineNumber, 1, position.lineNumber, position.column); var command = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](typeSelection, typeText); return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, [command], { shouldPushStackElementBefore: false, shouldPushStackElementAfter: true }); } } return null; }; TypeOperations.compositionEndWithInterceptors = function (prevEditOperationType, config, model, selections) { if (config.autoClosingQuotes === 'never') { return null; } var commands = []; for (var i = 0; i < selections.length; i++) { if (!selections[i].isEmpty()) { continue; } var position = selections[i].getPosition(); var lineText = model.getLineContent(position.lineNumber); var ch = lineText.charAt(position.column - 2); if (config.autoClosingPairsClose.hasOwnProperty(ch)) { // first of all, it's a closing tag if (ch === config.autoClosingPairsClose[ch] /** isEqualPair */) { var lineTextBeforeCursor = lineText.substr(0, position.column - 2); var chCntBefore = this._countNeedlesInHaystack(lineTextBeforeCursor, ch); if (chCntBefore % 2 === 1) { continue; // it pairs with the opening tag. } } } // As we are not typing in a new character, so we don't need to run `_runAutoClosingCloseCharType` // Next step, let's try to check if it's an open char. if (config.autoClosingPairsOpen.hasOwnProperty(ch)) { if (Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(ch) && position.column > 2) { var wordSeparators = Object(__WEBPACK_IMPORTED_MODULE_6__wordCharacterClassifier_js__["a" /* getMapForWordSeparators */])(config.wordSeparators); var characterBeforeCode = lineText.charCodeAt(position.column - 3); var characterBeforeType = wordSeparators.get(characterBeforeCode); if (characterBeforeType === 0 /* Regular */) { continue; } } var characterAfter = lineText.charAt(position.column - 1); if (characterAfter) { var isBeforeCloseBrace = TypeOperations._isBeforeClosingBrace(config, ch, characterAfter); var shouldAutoCloseBefore = Object(__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["g" /* isQuote */])(ch) ? config.shouldAutoCloseBefore.quote : config.shouldAutoCloseBefore.bracket; if (isBeforeCloseBrace) { // In normal auto closing logic, we will auto close if the cursor is even before a closing brace intentionally. // However for composition mode, we do nothing here as users might clear all the characters for composition and we don't want to do a unnecessary auto close. // Related: microsoft/vscode#57250. continue; } if (!shouldAutoCloseBefore(characterAfter)) { continue; } } if (!model.isCheapToTokenize(position.lineNumber)) { // Do not force tokenization continue; } model.forceTokenization(position.lineNumber); var lineTokens = model.getLineTokens(position.lineNumber); var shouldAutoClosePair = false; try { shouldAutoClosePair = __WEBPACK_IMPORTED_MODULE_9__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].shouldAutoClosePair(ch, lineTokens, position.column - 1); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); } if (shouldAutoClosePair) { var closeCharacter = config.autoClosingPairsOpen[ch]; commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["b" /* ReplaceCommandWithOffsetCursorState */](selections[i], closeCharacter, 0, -closeCharacter.length); } } } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: false }); }; TypeOperations.typeWithInterceptors = function (prevEditOperationType, config, model, selections, ch) { if (ch === '\n') { var commands_1 = []; for (var i = 0, len = selections.length; i < len; i++) { commands_1[i] = TypeOperations._enter(config, model, false, selections[i]); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands_1, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: false, }); } if (this._isAutoIndentType(config, model, selections)) { var commands_2 = []; var autoIndentFails = false; for (var i = 0, len = selections.length; i < len; i++) { commands_2[i] = this._runAutoIndentType(config, model, selections[i], ch); if (!commands_2[i]) { autoIndentFails = true; break; } } if (!autoIndentFails) { return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands_2, { shouldPushStackElementBefore: true, shouldPushStackElementAfter: false, }); } } if (this._isAutoClosingCloseCharType(config, model, selections, ch)) { return this._runAutoClosingCloseCharType(prevEditOperationType, config, model, selections, ch); } if (this._isAutoClosingOpenCharType(config, model, selections, ch)) { return this._runAutoClosingOpenCharType(prevEditOperationType, config, model, selections, ch); } if (this._isSurroundSelectionType(config, model, selections, ch)) { return this._runSurroundSelectionType(prevEditOperationType, config, model, selections, ch); } // Electric characters make sense only when dealing with a single cursor, // as multiple cursors typing brackets for example would interfer with bracket matching if (this._isTypeInterceptorElectricChar(config, model, selections)) { var r = this._typeInterceptorElectricChar(prevEditOperationType, config, model, selections[0], ch); if (r) { return r; } } // A simple character type var commands = []; for (var i = 0, len = selections.length; i < len; i++) { commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](selections[i], ch); } var shouldPushStackElementBefore = (prevEditOperationType !== 1 /* Typing */); if (ch === ' ') { shouldPushStackElementBefore = true; } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands, { shouldPushStackElementBefore: shouldPushStackElementBefore, shouldPushStackElementAfter: false }); }; TypeOperations.typeWithoutInterceptors = function (prevEditOperationType, config, model, selections, str) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["a" /* ReplaceCommand */](selections[i], str); } return new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](1 /* Typing */, commands, { shouldPushStackElementBefore: (prevEditOperationType !== 1 /* Typing */), shouldPushStackElementAfter: false }); }; TypeOperations.lineInsertBefore = function (config, model, selections) { if (model === null || selections === null) { return []; } var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var lineNumber = selections[i].positionLineNumber; if (lineNumber === 1) { commands[i] = new __WEBPACK_IMPORTED_MODULE_2__commands_replaceCommand_js__["c" /* ReplaceCommandWithoutChangingPosition */](new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](1, 1, 1, 1), '\n'); } else { lineNumber--; var column = model.getLineMaxColumn(lineNumber); commands[i] = this._enter(config, model, false, new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](lineNumber, column, lineNumber, column)); } } return commands; }; TypeOperations.lineInsertAfter = function (config, model, selections) { if (model === null || selections === null) { return []; } var commands = []; for (var i = 0, len = selections.length; i < len; i++) { var lineNumber = selections[i].positionLineNumber; var column = model.getLineMaxColumn(lineNumber); commands[i] = this._enter(config, model, false, new __WEBPACK_IMPORTED_MODULE_7__core_range_js__["a" /* Range */](lineNumber, column, lineNumber, column)); } return commands; }; TypeOperations.lineBreakInsert = function (config, model, selections) { var commands = []; for (var i = 0, len = selections.length; i < len; i++) { commands[i] = this._enter(config, model, true, selections[i]); } return commands; }; return TypeOperations; }()); /***/ }), /***/ 1708: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditorContextKeys; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var EditorContextKeys; (function (EditorContextKeys) { /** * A context key that is set when the editor's text has focus (cursor is blinking). */ EditorContextKeys.editorTextFocus = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorTextFocus', false); /** * A context key that is set when the editor's text or an editor's widget has focus. */ EditorContextKeys.focus = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorFocus', false); /** * A context key that is set when any editor input has focus (regular editor, repl input...). */ EditorContextKeys.textInputFocus = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('textInputFocus', false); EditorContextKeys.readOnly = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorReadonly', false); EditorContextKeys.writable = EditorContextKeys.readOnly.toNegated(); EditorContextKeys.hasNonEmptySelection = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasSelection', false); EditorContextKeys.hasOnlyEmptySelection = EditorContextKeys.hasNonEmptySelection.toNegated(); EditorContextKeys.hasMultipleSelections = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasMultipleSelections', false); EditorContextKeys.hasSingleSelection = EditorContextKeys.hasMultipleSelections.toNegated(); EditorContextKeys.tabMovesFocus = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorTabMovesFocus', false); EditorContextKeys.tabDoesNotMoveFocus = EditorContextKeys.tabMovesFocus.toNegated(); EditorContextKeys.isInEmbeddedEditor = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('isInEmbeddedEditor', false); EditorContextKeys.canUndo = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('canUndo', false); EditorContextKeys.canRedo = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('canRedo', false); // -- mode context keys EditorContextKeys.languageId = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorLangId', ''); EditorContextKeys.hasCompletionItemProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasCompletionItemProvider', false); EditorContextKeys.hasCodeActionsProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasCodeActionsProvider', false); EditorContextKeys.hasCodeLensProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasCodeLensProvider', false); EditorContextKeys.hasDefinitionProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasDefinitionProvider', false); EditorContextKeys.hasDeclarationProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasDeclarationProvider', false); EditorContextKeys.hasImplementationProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasImplementationProvider', false); EditorContextKeys.hasTypeDefinitionProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasTypeDefinitionProvider', false); EditorContextKeys.hasHoverProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasHoverProvider', false); EditorContextKeys.hasDocumentHighlightProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasDocumentHighlightProvider', false); EditorContextKeys.hasDocumentSymbolProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasDocumentSymbolProvider', false); EditorContextKeys.hasReferenceProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasReferenceProvider', false); EditorContextKeys.hasRenameProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasRenameProvider', false); EditorContextKeys.hasDocumentFormattingProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasDocumentFormattingProvider', false); EditorContextKeys.hasDocumentSelectionFormattingProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasDocumentSelectionFormattingProvider', false); EditorContextKeys.hasSignatureHelpProvider = new __WEBPACK_IMPORTED_MODULE_0__platform_contextkey_common_contextkey_js__["d" /* RawContextKey */]('editorHasSignatureHelpProvider', false); })(EditorContextKeys || (EditorContextKeys = {})); /***/ }), /***/ 1709: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AbstractScrollbar; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__globalMouseMoveMonitor_js__ = __webpack_require__(1449); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__scrollbarArrow_js__ = __webpack_require__(1577); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__scrollbarVisibilityController_js__ = __webpack_require__(1970); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__widget_js__ = __webpack_require__(1578); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * The orthogonal distance to the slider at which dragging "resets". This implements "snapping" */ var MOUSE_DRAG_RESET_DISTANCE = 140; var AbstractScrollbar = /** @class */ (function (_super) { __extends(AbstractScrollbar, _super); function AbstractScrollbar(opts) { var _this = _super.call(this) || this; _this._lazyRender = opts.lazyRender; _this._host = opts.host; _this._scrollable = opts.scrollable; _this._scrollbarState = opts.scrollbarState; _this._visibilityController = _this._register(new __WEBPACK_IMPORTED_MODULE_4__scrollbarVisibilityController_js__["a" /* ScrollbarVisibilityController */](opts.visibility, 'visible scrollbar ' + opts.extraScrollbarClassName, 'invisible scrollbar ' + opts.extraScrollbarClassName)); _this._mouseMoveMonitor = _this._register(new __WEBPACK_IMPORTED_MODULE_2__globalMouseMoveMonitor_js__["a" /* GlobalMouseMoveMonitor */]()); _this._shouldRender = true; _this.domNode = Object(__WEBPACK_IMPORTED_MODULE_1__fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.domNode.setAttribute('role', 'presentation'); _this.domNode.setAttribute('aria-hidden', 'true'); _this._visibilityController.setDomNode(_this.domNode); _this.domNode.setPosition('absolute'); _this.onmousedown(_this.domNode.domNode, function (e) { return _this._domNodeMouseDown(e); }); return _this; } // ----------------- creation /** * Creates the dom node for an arrow & adds it to the container */ AbstractScrollbar.prototype._createArrow = function (opts) { var arrow = this._register(new __WEBPACK_IMPORTED_MODULE_3__scrollbarArrow_js__["b" /* ScrollbarArrow */](opts)); this.domNode.domNode.appendChild(arrow.bgDomNode); this.domNode.domNode.appendChild(arrow.domNode); }; /** * Creates the slider dom node, adds it to the container & hooks up the events */ AbstractScrollbar.prototype._createSlider = function (top, left, width, height) { var _this = this; this.slider = Object(__WEBPACK_IMPORTED_MODULE_1__fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); this.slider.setClassName('slider'); this.slider.setPosition('absolute'); this.slider.setTop(top); this.slider.setLeft(left); if (typeof width === 'number') { this.slider.setWidth(width); } if (typeof height === 'number') { this.slider.setHeight(height); } this.slider.setLayerHinting(true); this.domNode.domNode.appendChild(this.slider.domNode); this.onmousedown(this.slider.domNode, function (e) { if (e.leftButton) { e.preventDefault(); _this._sliderMouseDown(e, function () { }); } }); }; // ----------------- Update state AbstractScrollbar.prototype._onElementSize = function (visibleSize) { if (this._scrollbarState.setVisibleSize(visibleSize)) { this._visibilityController.setIsNeeded(this._scrollbarState.isNeeded()); this._shouldRender = true; if (!this._lazyRender) { this.render(); } } return this._shouldRender; }; AbstractScrollbar.prototype._onElementScrollSize = function (elementScrollSize) { if (this._scrollbarState.setScrollSize(elementScrollSize)) { this._visibilityController.setIsNeeded(this._scrollbarState.isNeeded()); this._shouldRender = true; if (!this._lazyRender) { this.render(); } } return this._shouldRender; }; AbstractScrollbar.prototype._onElementScrollPosition = function (elementScrollPosition) { if (this._scrollbarState.setScrollPosition(elementScrollPosition)) { this._visibilityController.setIsNeeded(this._scrollbarState.isNeeded()); this._shouldRender = true; if (!this._lazyRender) { this.render(); } } return this._shouldRender; }; // ----------------- rendering AbstractScrollbar.prototype.beginReveal = function () { this._visibilityController.setShouldBeVisible(true); }; AbstractScrollbar.prototype.beginHide = function () { this._visibilityController.setShouldBeVisible(false); }; AbstractScrollbar.prototype.render = function () { if (!this._shouldRender) { return; } this._shouldRender = false; this._renderDomNode(this._scrollbarState.getRectangleLargeSize(), this._scrollbarState.getRectangleSmallSize()); this._updateSlider(this._scrollbarState.getSliderSize(), this._scrollbarState.getArrowSize() + this._scrollbarState.getSliderPosition()); }; // ----------------- DOM events AbstractScrollbar.prototype._domNodeMouseDown = function (e) { if (e.target !== this.domNode.domNode) { return; } this._onMouseDown(e); }; AbstractScrollbar.prototype.delegateMouseDown = function (e) { var domTop = this.domNode.domNode.getClientRects()[0].top; var sliderStart = domTop + this._scrollbarState.getSliderPosition(); var sliderStop = domTop + this._scrollbarState.getSliderPosition() + this._scrollbarState.getSliderSize(); var mousePos = this._sliderMousePosition(e); if (sliderStart <= mousePos && mousePos <= sliderStop) { // Act as if it was a mouse down on the slider if (e.leftButton) { e.preventDefault(); this._sliderMouseDown(e, function () { }); } } else { // Act as if it was a mouse down on the scrollbar this._onMouseDown(e); } }; AbstractScrollbar.prototype._onMouseDown = function (e) { var offsetX; var offsetY; if (e.target === this.domNode.domNode && typeof e.browserEvent.offsetX === 'number' && typeof e.browserEvent.offsetY === 'number') { offsetX = e.browserEvent.offsetX; offsetY = e.browserEvent.offsetY; } else { var domNodePosition = __WEBPACK_IMPORTED_MODULE_0__dom_js__["s" /* getDomNodePagePosition */](this.domNode.domNode); offsetX = e.posx - domNodePosition.left; offsetY = e.posy - domNodePosition.top; } this._setDesiredScrollPositionNow(this._scrollbarState.getDesiredScrollPositionFromOffset(this._mouseDownRelativePosition(offsetX, offsetY))); if (e.leftButton) { e.preventDefault(); this._sliderMouseDown(e, function () { }); } }; AbstractScrollbar.prototype._sliderMouseDown = function (e, onDragFinished) { var _this = this; var initialMousePosition = this._sliderMousePosition(e); var initialMouseOrthogonalPosition = this._sliderOrthogonalMousePosition(e); var initialScrollbarState = this._scrollbarState.clone(); this.slider.toggleClassName('active', true); this._mouseMoveMonitor.startMonitoring(__WEBPACK_IMPORTED_MODULE_2__globalMouseMoveMonitor_js__["b" /* standardMouseMoveMerger */], function (mouseMoveData) { var mouseOrthogonalPosition = _this._sliderOrthogonalMousePosition(mouseMoveData); var mouseOrthogonalDelta = Math.abs(mouseOrthogonalPosition - initialMouseOrthogonalPosition); if (__WEBPACK_IMPORTED_MODULE_6__common_platform_js__["g" /* isWindows */] && mouseOrthogonalDelta > MOUSE_DRAG_RESET_DISTANCE) { // The mouse has wondered away from the scrollbar => reset dragging _this._setDesiredScrollPositionNow(initialScrollbarState.getScrollPosition()); return; } var mousePosition = _this._sliderMousePosition(mouseMoveData); var mouseDelta = mousePosition - initialMousePosition; _this._setDesiredScrollPositionNow(initialScrollbarState.getDesiredScrollPositionFromDelta(mouseDelta)); }, function () { _this.slider.toggleClassName('active', false); _this._host.onDragEnd(); onDragFinished(); }); this._host.onDragStart(); }; AbstractScrollbar.prototype._setDesiredScrollPositionNow = function (_desiredScrollPosition) { var desiredScrollPosition = {}; this.writeScrollPosition(desiredScrollPosition, _desiredScrollPosition); this._scrollable.setScrollPositionNow(desiredScrollPosition); }; return AbstractScrollbar; }(__WEBPACK_IMPORTED_MODULE_5__widget_js__["a" /* Widget */])); /***/ }), /***/ 1710: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ScrollbarState; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * The minimal size of the slider (such that it can still be clickable) -- it is artificially enlarged. */ var MINIMUM_SLIDER_SIZE = 20; var ScrollbarState = /** @class */ (function () { function ScrollbarState(arrowSize, scrollbarSize, oppositeScrollbarSize) { this._scrollbarSize = Math.round(scrollbarSize); this._oppositeScrollbarSize = Math.round(oppositeScrollbarSize); this._arrowSize = Math.round(arrowSize); this._visibleSize = 0; this._scrollSize = 0; this._scrollPosition = 0; this._computedAvailableSize = 0; this._computedIsNeeded = false; this._computedSliderSize = 0; this._computedSliderRatio = 0; this._computedSliderPosition = 0; this._refreshComputedValues(); } ScrollbarState.prototype.clone = function () { var r = new ScrollbarState(this._arrowSize, this._scrollbarSize, this._oppositeScrollbarSize); r.setVisibleSize(this._visibleSize); r.setScrollSize(this._scrollSize); r.setScrollPosition(this._scrollPosition); return r; }; ScrollbarState.prototype.setVisibleSize = function (visibleSize) { var iVisibleSize = Math.round(visibleSize); if (this._visibleSize !== iVisibleSize) { this._visibleSize = iVisibleSize; this._refreshComputedValues(); return true; } return false; }; ScrollbarState.prototype.setScrollSize = function (scrollSize) { var iScrollSize = Math.round(scrollSize); if (this._scrollSize !== iScrollSize) { this._scrollSize = iScrollSize; this._refreshComputedValues(); return true; } return false; }; ScrollbarState.prototype.setScrollPosition = function (scrollPosition) { var iScrollPosition = Math.round(scrollPosition); if (this._scrollPosition !== iScrollPosition) { this._scrollPosition = iScrollPosition; this._refreshComputedValues(); return true; } return false; }; ScrollbarState._computeValues = function (oppositeScrollbarSize, arrowSize, visibleSize, scrollSize, scrollPosition) { var computedAvailableSize = Math.max(0, visibleSize - oppositeScrollbarSize); var computedRepresentableSize = Math.max(0, computedAvailableSize - 2 * arrowSize); var computedIsNeeded = (scrollSize > 0 && scrollSize > visibleSize); if (!computedIsNeeded) { // There is no need for a slider return { computedAvailableSize: Math.round(computedAvailableSize), computedIsNeeded: computedIsNeeded, computedSliderSize: Math.round(computedRepresentableSize), computedSliderRatio: 0, computedSliderPosition: 0, }; } // We must artificially increase the size of the slider if needed, since the slider would be too small to grab with the mouse otherwise var computedSliderSize = Math.round(Math.max(MINIMUM_SLIDER_SIZE, Math.floor(visibleSize * computedRepresentableSize / scrollSize))); // The slider can move from 0 to `computedRepresentableSize` - `computedSliderSize` // in the same way `scrollPosition` can move from 0 to `scrollSize` - `visibleSize`. var computedSliderRatio = (computedRepresentableSize - computedSliderSize) / (scrollSize - visibleSize); var computedSliderPosition = (scrollPosition * computedSliderRatio); return { computedAvailableSize: Math.round(computedAvailableSize), computedIsNeeded: computedIsNeeded, computedSliderSize: Math.round(computedSliderSize), computedSliderRatio: computedSliderRatio, computedSliderPosition: Math.round(computedSliderPosition), }; }; ScrollbarState.prototype._refreshComputedValues = function () { var r = ScrollbarState._computeValues(this._oppositeScrollbarSize, this._arrowSize, this._visibleSize, this._scrollSize, this._scrollPosition); this._computedAvailableSize = r.computedAvailableSize; this._computedIsNeeded = r.computedIsNeeded; this._computedSliderSize = r.computedSliderSize; this._computedSliderRatio = r.computedSliderRatio; this._computedSliderPosition = r.computedSliderPosition; }; ScrollbarState.prototype.getArrowSize = function () { return this._arrowSize; }; ScrollbarState.prototype.getScrollPosition = function () { return this._scrollPosition; }; ScrollbarState.prototype.getRectangleLargeSize = function () { return this._computedAvailableSize; }; ScrollbarState.prototype.getRectangleSmallSize = function () { return this._scrollbarSize; }; ScrollbarState.prototype.isNeeded = function () { return this._computedIsNeeded; }; ScrollbarState.prototype.getSliderSize = function () { return this._computedSliderSize; }; ScrollbarState.prototype.getSliderPosition = function () { return this._computedSliderPosition; }; /** * Compute a desired `scrollPosition` such that `offset` ends up in the center of the slider. * `offset` is based on the same coordinate system as the `sliderPosition`. */ ScrollbarState.prototype.getDesiredScrollPositionFromOffset = function (offset) { if (!this._computedIsNeeded) { // no need for a slider return 0; } var desiredSliderPosition = offset - this._arrowSize - this._computedSliderSize / 2; return Math.round(desiredSliderPosition / this._computedSliderRatio); }; /** * Compute a desired `scrollPosition` such that the slider moves by `delta`. */ ScrollbarState.prototype.getDesiredScrollPositionFromDelta = function (delta) { if (!this._computedIsNeeded) { // no need for a slider return 0; } var desiredSliderPosition = this._computedSliderPosition + delta; return Math.round(desiredSliderPosition / this._computedSliderRatio); }; return ScrollbarState; }()); /***/ }), /***/ 1711: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ScrollState */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Scrollable; }); /* unused harmony export SmoothScrollingUpdate */ /* unused harmony export SmoothScrollingOperation */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ScrollState = /** @class */ (function () { function ScrollState(width, scrollWidth, scrollLeft, height, scrollHeight, scrollTop) { width = width | 0; scrollWidth = scrollWidth | 0; scrollLeft = scrollLeft | 0; height = height | 0; scrollHeight = scrollHeight | 0; scrollTop = scrollTop | 0; if (width < 0) { width = 0; } if (scrollLeft + width > scrollWidth) { scrollLeft = scrollWidth - width; } if (scrollLeft < 0) { scrollLeft = 0; } if (height < 0) { height = 0; } if (scrollTop + height > scrollHeight) { scrollTop = scrollHeight - height; } if (scrollTop < 0) { scrollTop = 0; } this.width = width; this.scrollWidth = scrollWidth; this.scrollLeft = scrollLeft; this.height = height; this.scrollHeight = scrollHeight; this.scrollTop = scrollTop; } ScrollState.prototype.equals = function (other) { return (this.width === other.width && this.scrollWidth === other.scrollWidth && this.scrollLeft === other.scrollLeft && this.height === other.height && this.scrollHeight === other.scrollHeight && this.scrollTop === other.scrollTop); }; ScrollState.prototype.withScrollDimensions = function (update) { return new ScrollState((typeof update.width !== 'undefined' ? update.width : this.width), (typeof update.scrollWidth !== 'undefined' ? update.scrollWidth : this.scrollWidth), this.scrollLeft, (typeof update.height !== 'undefined' ? update.height : this.height), (typeof update.scrollHeight !== 'undefined' ? update.scrollHeight : this.scrollHeight), this.scrollTop); }; ScrollState.prototype.withScrollPosition = function (update) { return new ScrollState(this.width, this.scrollWidth, (typeof update.scrollLeft !== 'undefined' ? update.scrollLeft : this.scrollLeft), this.height, this.scrollHeight, (typeof update.scrollTop !== 'undefined' ? update.scrollTop : this.scrollTop)); }; ScrollState.prototype.createScrollEvent = function (previous) { var widthChanged = (this.width !== previous.width); var scrollWidthChanged = (this.scrollWidth !== previous.scrollWidth); var scrollLeftChanged = (this.scrollLeft !== previous.scrollLeft); var heightChanged = (this.height !== previous.height); var scrollHeightChanged = (this.scrollHeight !== previous.scrollHeight); var scrollTopChanged = (this.scrollTop !== previous.scrollTop); return { width: this.width, scrollWidth: this.scrollWidth, scrollLeft: this.scrollLeft, height: this.height, scrollHeight: this.scrollHeight, scrollTop: this.scrollTop, widthChanged: widthChanged, scrollWidthChanged: scrollWidthChanged, scrollLeftChanged: scrollLeftChanged, heightChanged: heightChanged, scrollHeightChanged: scrollHeightChanged, scrollTopChanged: scrollTopChanged, }; }; return ScrollState; }()); var Scrollable = /** @class */ (function (_super) { __extends(Scrollable, _super); function Scrollable(smoothScrollDuration, scheduleAtNextAnimationFrame) { var _this = _super.call(this) || this; _this._onScroll = _this._register(new __WEBPACK_IMPORTED_MODULE_0__event_js__["a" /* Emitter */]()); _this.onScroll = _this._onScroll.event; _this._smoothScrollDuration = smoothScrollDuration; _this._scheduleAtNextAnimationFrame = scheduleAtNextAnimationFrame; _this._state = new ScrollState(0, 0, 0, 0, 0, 0); _this._smoothScrolling = null; return _this; } Scrollable.prototype.dispose = function () { if (this._smoothScrolling) { this._smoothScrolling.dispose(); this._smoothScrolling = null; } _super.prototype.dispose.call(this); }; Scrollable.prototype.setSmoothScrollDuration = function (smoothScrollDuration) { this._smoothScrollDuration = smoothScrollDuration; }; Scrollable.prototype.validateScrollPosition = function (scrollPosition) { return this._state.withScrollPosition(scrollPosition); }; Scrollable.prototype.getScrollDimensions = function () { return this._state; }; Scrollable.prototype.setScrollDimensions = function (dimensions) { var newState = this._state.withScrollDimensions(dimensions); this._setState(newState); // Validate outstanding animated scroll position target if (this._smoothScrolling) { this._smoothScrolling.acceptScrollDimensions(this._state); } }; /** * Returns the final scroll position that the instance will have once the smooth scroll animation concludes. * If no scroll animation is occurring, it will return the current scroll position instead. */ Scrollable.prototype.getFutureScrollPosition = function () { if (this._smoothScrolling) { return this._smoothScrolling.to; } return this._state; }; /** * Returns the current scroll position. * Note: This result might be an intermediate scroll position, as there might be an ongoing smooth scroll animation. */ Scrollable.prototype.getCurrentScrollPosition = function () { return this._state; }; Scrollable.prototype.setScrollPositionNow = function (update) { // no smooth scrolling requested var newState = this._state.withScrollPosition(update); // Terminate any outstanding smooth scrolling if (this._smoothScrolling) { this._smoothScrolling.dispose(); this._smoothScrolling = null; } this._setState(newState); }; Scrollable.prototype.setScrollPositionSmooth = function (update) { var _this = this; if (this._smoothScrollDuration === 0) { // Smooth scrolling not supported. return this.setScrollPositionNow(update); } if (this._smoothScrolling) { // Combine our pending scrollLeft/scrollTop with incoming scrollLeft/scrollTop update = { scrollLeft: (typeof update.scrollLeft === 'undefined' ? this._smoothScrolling.to.scrollLeft : update.scrollLeft), scrollTop: (typeof update.scrollTop === 'undefined' ? this._smoothScrolling.to.scrollTop : update.scrollTop) }; // Validate `update` var validTarget = this._state.withScrollPosition(update); if (this._smoothScrolling.to.scrollLeft === validTarget.scrollLeft && this._smoothScrolling.to.scrollTop === validTarget.scrollTop) { // No need to interrupt or extend the current animation since we're going to the same place return; } var newSmoothScrolling = this._smoothScrolling.combine(this._state, validTarget, this._smoothScrollDuration); this._smoothScrolling.dispose(); this._smoothScrolling = newSmoothScrolling; } else { // Validate `update` var validTarget = this._state.withScrollPosition(update); this._smoothScrolling = SmoothScrollingOperation.start(this._state, validTarget, this._smoothScrollDuration); } // Begin smooth scrolling animation this._smoothScrolling.animationFrameDisposable = this._scheduleAtNextAnimationFrame(function () { if (!_this._smoothScrolling) { return; } _this._smoothScrolling.animationFrameDisposable = null; _this._performSmoothScrolling(); }); }; Scrollable.prototype._performSmoothScrolling = function () { var _this = this; if (!this._smoothScrolling) { return; } var update = this._smoothScrolling.tick(); var newState = this._state.withScrollPosition(update); this._setState(newState); if (update.isDone) { this._smoothScrolling.dispose(); this._smoothScrolling = null; return; } // Continue smooth scrolling animation this._smoothScrolling.animationFrameDisposable = this._scheduleAtNextAnimationFrame(function () { if (!_this._smoothScrolling) { return; } _this._smoothScrolling.animationFrameDisposable = null; _this._performSmoothScrolling(); }); }; Scrollable.prototype._setState = function (newState) { var oldState = this._state; if (oldState.equals(newState)) { // no change return; } this._state = newState; this._onScroll.fire(this._state.createScrollEvent(oldState)); }; return Scrollable; }(__WEBPACK_IMPORTED_MODULE_1__lifecycle_js__["a" /* Disposable */])); var SmoothScrollingUpdate = /** @class */ (function () { function SmoothScrollingUpdate(scrollLeft, scrollTop, isDone) { this.scrollLeft = scrollLeft; this.scrollTop = scrollTop; this.isDone = isDone; } return SmoothScrollingUpdate; }()); function createEaseOutCubic(from, to) { var delta = to - from; return function (completion) { return from + delta * easeOutCubic(completion); }; } function createComposed(a, b, cut) { return function (completion) { if (completion < cut) { return a(completion / cut); } return b((completion - cut) / (1 - cut)); }; } var SmoothScrollingOperation = /** @class */ (function () { function SmoothScrollingOperation(from, to, startTime, duration) { this.from = from; this.to = to; this.duration = duration; this._startTime = startTime; this.animationFrameDisposable = null; this._initAnimations(); } SmoothScrollingOperation.prototype._initAnimations = function () { this.scrollLeft = this._initAnimation(this.from.scrollLeft, this.to.scrollLeft, this.to.width); this.scrollTop = this._initAnimation(this.from.scrollTop, this.to.scrollTop, this.to.height); }; SmoothScrollingOperation.prototype._initAnimation = function (from, to, viewportSize) { var delta = Math.abs(from - to); if (delta > 2.5 * viewportSize) { var stop1 = void 0, stop2 = void 0; if (from < to) { // scroll to 75% of the viewportSize stop1 = from + 0.75 * viewportSize; stop2 = to - 0.75 * viewportSize; } else { stop1 = from - 0.75 * viewportSize; stop2 = to + 0.75 * viewportSize; } return createComposed(createEaseOutCubic(from, stop1), createEaseOutCubic(stop2, to), 0.33); } return createEaseOutCubic(from, to); }; SmoothScrollingOperation.prototype.dispose = function () { if (this.animationFrameDisposable !== null) { this.animationFrameDisposable.dispose(); this.animationFrameDisposable = null; } }; SmoothScrollingOperation.prototype.acceptScrollDimensions = function (state) { this.to = state.withScrollPosition(this.to); this._initAnimations(); }; SmoothScrollingOperation.prototype.tick = function () { return this._tick(Date.now()); }; SmoothScrollingOperation.prototype._tick = function (now) { var completion = (now - this._startTime) / this.duration; if (completion < 1) { var newScrollLeft = this.scrollLeft(completion); var newScrollTop = this.scrollTop(completion); return new SmoothScrollingUpdate(newScrollLeft, newScrollTop, false); } return new SmoothScrollingUpdate(this.to.scrollLeft, this.to.scrollTop, true); }; SmoothScrollingOperation.prototype.combine = function (from, to, duration) { return SmoothScrollingOperation.start(from, to, duration); }; SmoothScrollingOperation.start = function (from, to, duration) { // +10 / -10 : pretend the animation already started for a quicker response to a scroll request duration = duration + 10; var startTime = Date.now() - 10; return new SmoothScrollingOperation(from, to, startTime, duration); }; return SmoothScrollingOperation; }()); function easeInCubic(t) { return Math.pow(t, 3); } function easeOutCubic(t) { return 1 - easeInCubic(1 - t); } /***/ }), /***/ 1712: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ColorZone */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return OverviewRulerZone; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return OverviewZoneManager; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ColorZone = /** @class */ (function () { function ColorZone(from, to, colorId) { this.from = from | 0; this.to = to | 0; this.colorId = colorId | 0; } ColorZone.compare = function (a, b) { if (a.colorId === b.colorId) { if (a.from === b.from) { return a.to - b.to; } return a.from - b.from; } return a.colorId - b.colorId; }; return ColorZone; }()); /** * A zone in the overview ruler */ var OverviewRulerZone = /** @class */ (function () { function OverviewRulerZone(startLineNumber, endLineNumber, color) { this.startLineNumber = startLineNumber; this.endLineNumber = endLineNumber; this.color = color; this._colorZone = null; } OverviewRulerZone.compare = function (a, b) { if (a.color === b.color) { if (a.startLineNumber === b.startLineNumber) { return a.endLineNumber - b.endLineNumber; } return a.startLineNumber - b.startLineNumber; } return a.color < b.color ? -1 : 1; }; OverviewRulerZone.prototype.setColorZone = function (colorZone) { this._colorZone = colorZone; }; OverviewRulerZone.prototype.getColorZones = function () { return this._colorZone; }; return OverviewRulerZone; }()); var OverviewZoneManager = /** @class */ (function () { function OverviewZoneManager(getVerticalOffsetForLine) { this._getVerticalOffsetForLine = getVerticalOffsetForLine; this._zones = []; this._colorZonesInvalid = false; this._lineHeight = 0; this._domWidth = 0; this._domHeight = 0; this._outerHeight = 0; this._pixelRatio = 1; this._lastAssignedId = 0; this._color2Id = Object.create(null); this._id2Color = []; } OverviewZoneManager.prototype.getId2Color = function () { return this._id2Color; }; OverviewZoneManager.prototype.setZones = function (newZones) { this._zones = newZones; this._zones.sort(OverviewRulerZone.compare); }; OverviewZoneManager.prototype.setLineHeight = function (lineHeight) { if (this._lineHeight === lineHeight) { return false; } this._lineHeight = lineHeight; this._colorZonesInvalid = true; return true; }; OverviewZoneManager.prototype.setPixelRatio = function (pixelRatio) { this._pixelRatio = pixelRatio; this._colorZonesInvalid = true; }; OverviewZoneManager.prototype.getDOMWidth = function () { return this._domWidth; }; OverviewZoneManager.prototype.getCanvasWidth = function () { return this._domWidth * this._pixelRatio; }; OverviewZoneManager.prototype.setDOMWidth = function (width) { if (this._domWidth === width) { return false; } this._domWidth = width; this._colorZonesInvalid = true; return true; }; OverviewZoneManager.prototype.getDOMHeight = function () { return this._domHeight; }; OverviewZoneManager.prototype.getCanvasHeight = function () { return this._domHeight * this._pixelRatio; }; OverviewZoneManager.prototype.setDOMHeight = function (height) { if (this._domHeight === height) { return false; } this._domHeight = height; this._colorZonesInvalid = true; return true; }; OverviewZoneManager.prototype.getOuterHeight = function () { return this._outerHeight; }; OverviewZoneManager.prototype.setOuterHeight = function (outerHeight) { if (this._outerHeight === outerHeight) { return false; } this._outerHeight = outerHeight; this._colorZonesInvalid = true; return true; }; OverviewZoneManager.prototype.resolveColorZones = function () { var colorZonesInvalid = this._colorZonesInvalid; var lineHeight = Math.floor(this._lineHeight); // @perf var totalHeight = Math.floor(this.getCanvasHeight()); // @perf var outerHeight = Math.floor(this._outerHeight); // @perf var heightRatio = totalHeight / outerHeight; var halfMinimumHeight = Math.floor(4 /* MINIMUM_HEIGHT */ * this._pixelRatio / 2); var allColorZones = []; for (var i = 0, len = this._zones.length; i < len; i++) { var zone = this._zones[i]; if (!colorZonesInvalid) { var colorZone_1 = zone.getColorZones(); if (colorZone_1) { allColorZones.push(colorZone_1); continue; } } var y1 = Math.floor(heightRatio * (this._getVerticalOffsetForLine(zone.startLineNumber))); var y2 = Math.floor(heightRatio * (this._getVerticalOffsetForLine(zone.endLineNumber) + lineHeight)); var ycenter = Math.floor((y1 + y2) / 2); var halfHeight = (y2 - ycenter); if (halfHeight < halfMinimumHeight) { halfHeight = halfMinimumHeight; } if (ycenter - halfHeight < 0) { ycenter = halfHeight; } if (ycenter + halfHeight > totalHeight) { ycenter = totalHeight - halfHeight; } var color = zone.color; var colorId = this._color2Id[color]; if (!colorId) { colorId = (++this._lastAssignedId); this._color2Id[color] = colorId; this._id2Color[colorId] = color; } var colorZone = new ColorZone(ycenter - halfHeight, ycenter + halfHeight, colorId); zone.setColorZone(colorZone); allColorZones.push(colorZone); } this._colorZonesInvalid = false; allColorZones.sort(ColorZone.compare); return allColorZones; }; return OverviewZoneManager; }()); /***/ }), /***/ 1713: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return InternalEditorAction; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var InternalEditorAction = /** @class */ (function () { function InternalEditorAction(id, label, alias, precondition, run, contextKeyService) { this.id = id; this.label = label; this.alias = alias; this._precondition = precondition; this._run = run; this._contextKeyService = contextKeyService; } InternalEditorAction.prototype.isSupported = function () { return this._contextKeyService.contextMatchesRules(this._precondition); }; InternalEditorAction.prototype.run = function () { if (!this.isSupported()) { return Promise.resolve(undefined); } var r = this._run(); return r ? r : Promise.resolve(undefined); }; return InternalEditorAction; }()); /***/ }), /***/ 1714: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return OutputPosition; }); /* unused harmony export CoordinatesConverter */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return SplitLinesCollection; }); /* unused harmony export SplitLine */ /* unused harmony export IdentityCoordinatesConverter */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IdentityLinesCollection; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__model_textModel_js__ = __webpack_require__(1451); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__ = __webpack_require__(1359); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__prefixSumComputer_js__ = __webpack_require__(1566); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__viewModel_js__ = __webpack_require__(1328); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var OutputPosition = /** @class */ (function () { function OutputPosition(outputLineIndex, outputOffset) { this.outputLineIndex = outputLineIndex; this.outputOffset = outputOffset; } return OutputPosition; }()); var CoordinatesConverter = /** @class */ (function () { function CoordinatesConverter(lines) { this._lines = lines; } // View -> Model conversion and related methods CoordinatesConverter.prototype.convertViewPositionToModelPosition = function (viewPosition) { return this._lines.convertViewPositionToModelPosition(viewPosition.lineNumber, viewPosition.column); }; CoordinatesConverter.prototype.convertViewRangeToModelRange = function (viewRange) { var start = this._lines.convertViewPositionToModelPosition(viewRange.startLineNumber, viewRange.startColumn); var end = this._lines.convertViewPositionToModelPosition(viewRange.endLineNumber, viewRange.endColumn); return new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](start.lineNumber, start.column, end.lineNumber, end.column); }; CoordinatesConverter.prototype.validateViewPosition = function (viewPosition, expectedModelPosition) { return this._lines.validateViewPosition(viewPosition.lineNumber, viewPosition.column, expectedModelPosition); }; CoordinatesConverter.prototype.validateViewRange = function (viewRange, expectedModelRange) { var validViewStart = this._lines.validateViewPosition(viewRange.startLineNumber, viewRange.startColumn, expectedModelRange.getStartPosition()); var validViewEnd = this._lines.validateViewPosition(viewRange.endLineNumber, viewRange.endColumn, expectedModelRange.getEndPosition()); return new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](validViewStart.lineNumber, validViewStart.column, validViewEnd.lineNumber, validViewEnd.column); }; // Model -> View conversion and related methods CoordinatesConverter.prototype.convertModelPositionToViewPosition = function (modelPosition) { return this._lines.convertModelPositionToViewPosition(modelPosition.lineNumber, modelPosition.column); }; CoordinatesConverter.prototype.convertModelRangeToViewRange = function (modelRange) { var start = this._lines.convertModelPositionToViewPosition(modelRange.startLineNumber, modelRange.startColumn); var end = this._lines.convertModelPositionToViewPosition(modelRange.endLineNumber, modelRange.endColumn); return new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](start.lineNumber, start.column, end.lineNumber, end.column); }; CoordinatesConverter.prototype.modelPositionIsVisible = function (modelPosition) { return this._lines.modelPositionIsVisible(modelPosition.lineNumber, modelPosition.column); }; return CoordinatesConverter; }()); var SplitLinesCollection = /** @class */ (function () { function SplitLinesCollection(model, linePositionMapperFactory, tabSize, wrappingColumn, columnsForFullWidthChar, wrappingIndent) { this.model = model; this._validModelVersionId = -1; this.tabSize = tabSize; this.wrappingColumn = wrappingColumn; this.columnsForFullWidthChar = columnsForFullWidthChar; this.wrappingIndent = wrappingIndent; this.linePositionMapperFactory = linePositionMapperFactory; this._constructLines(true); } SplitLinesCollection.prototype.dispose = function () { this.hiddenAreasIds = this.model.deltaDecorations(this.hiddenAreasIds, []); }; SplitLinesCollection.prototype.createCoordinatesConverter = function () { return new CoordinatesConverter(this); }; SplitLinesCollection.prototype._ensureValidState = function () { var modelVersion = this.model.getVersionId(); if (modelVersion !== this._validModelVersionId) { // This is pretty bad, it means we lost track of the model... throw new Error("ViewModel is out of sync with Model!"); } if (this.lines.length !== this.model.getLineCount()) { // This is pretty bad, it means we lost track of the model... this._constructLines(false); } }; SplitLinesCollection.prototype._constructLines = function (resetHiddenAreas) { var _this = this; this.lines = []; if (resetHiddenAreas) { this.hiddenAreasIds = []; } var linesContent = this.model.getLinesContent(); var lineCount = linesContent.length; var values = new Uint32Array(lineCount); var hiddenAreas = this.hiddenAreasIds.map(function (areaId) { return _this.model.getDecorationRange(areaId); }).sort(__WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */].compareRangesUsingStarts); var hiddenAreaStart = 1, hiddenAreaEnd = 0; var hiddenAreaIdx = -1; var nextLineNumberToUpdateHiddenArea = (hiddenAreaIdx + 1 < hiddenAreas.length) ? hiddenAreaEnd + 1 : lineCount + 2; for (var i = 0; i < lineCount; i++) { var lineNumber = i + 1; if (lineNumber === nextLineNumberToUpdateHiddenArea) { hiddenAreaIdx++; hiddenAreaStart = hiddenAreas[hiddenAreaIdx].startLineNumber; hiddenAreaEnd = hiddenAreas[hiddenAreaIdx].endLineNumber; nextLineNumberToUpdateHiddenArea = (hiddenAreaIdx + 1 < hiddenAreas.length) ? hiddenAreaEnd + 1 : lineCount + 2; } var isInHiddenArea = (lineNumber >= hiddenAreaStart && lineNumber <= hiddenAreaEnd); var line = createSplitLine(this.linePositionMapperFactory, linesContent[i], this.tabSize, this.wrappingColumn, this.columnsForFullWidthChar, this.wrappingIndent, !isInHiddenArea); values[i] = line.getViewLineCount(); this.lines[i] = line; } this._validModelVersionId = this.model.getVersionId(); this.prefixSumComputer = new __WEBPACK_IMPORTED_MODULE_4__prefixSumComputer_js__["b" /* PrefixSumComputerWithCache */](values); }; SplitLinesCollection.prototype.getHiddenAreas = function () { var _this = this; return this.hiddenAreasIds.map(function (decId) { return _this.model.getDecorationRange(decId); }); }; SplitLinesCollection.prototype._reduceRanges = function (_ranges) { var _this = this; if (_ranges.length === 0) { return []; } var ranges = _ranges.map(function (r) { return _this.model.validateRange(r); }).sort(__WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */].compareRangesUsingStarts); var result = []; var currentRangeStart = ranges[0].startLineNumber; var currentRangeEnd = ranges[0].endLineNumber; for (var i = 1, len = ranges.length; i < len; i++) { var range = ranges[i]; if (range.startLineNumber > currentRangeEnd + 1) { result.push(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](currentRangeStart, 1, currentRangeEnd, 1)); currentRangeStart = range.startLineNumber; currentRangeEnd = range.endLineNumber; } else if (range.endLineNumber > currentRangeEnd) { currentRangeEnd = range.endLineNumber; } } result.push(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](currentRangeStart, 1, currentRangeEnd, 1)); return result; }; SplitLinesCollection.prototype.setHiddenAreas = function (_ranges) { var _this = this; var newRanges = this._reduceRanges(_ranges); // BEGIN TODO@Martin: Please stop calling this method on each model change! var oldRanges = this.hiddenAreasIds.map(function (areaId) { return _this.model.getDecorationRange(areaId); }).sort(__WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */].compareRangesUsingStarts); if (newRanges.length === oldRanges.length) { var hasDifference = false; for (var i = 0; i < newRanges.length; i++) { if (!newRanges[i].equalsRange(oldRanges[i])) { hasDifference = true; break; } } if (!hasDifference) { return false; } } // END TODO@Martin: Please stop calling this method on each model change! var newDecorations = []; for (var _i = 0, newRanges_1 = newRanges; _i < newRanges_1.length; _i++) { var newRange = newRanges_1[_i]; newDecorations.push({ range: newRange, options: __WEBPACK_IMPORTED_MODULE_2__model_textModel_js__["a" /* ModelDecorationOptions */].EMPTY }); } this.hiddenAreasIds = this.model.deltaDecorations(this.hiddenAreasIds, newDecorations); var hiddenAreas = newRanges; var hiddenAreaStart = 1, hiddenAreaEnd = 0; var hiddenAreaIdx = -1; var nextLineNumberToUpdateHiddenArea = (hiddenAreaIdx + 1 < hiddenAreas.length) ? hiddenAreaEnd + 1 : this.lines.length + 2; var hasVisibleLine = false; for (var i = 0; i < this.lines.length; i++) { var lineNumber = i + 1; if (lineNumber === nextLineNumberToUpdateHiddenArea) { hiddenAreaIdx++; hiddenAreaStart = hiddenAreas[hiddenAreaIdx].startLineNumber; hiddenAreaEnd = hiddenAreas[hiddenAreaIdx].endLineNumber; nextLineNumberToUpdateHiddenArea = (hiddenAreaIdx + 1 < hiddenAreas.length) ? hiddenAreaEnd + 1 : this.lines.length + 2; } var lineChanged = false; if (lineNumber >= hiddenAreaStart && lineNumber <= hiddenAreaEnd) { // Line should be hidden if (this.lines[i].isVisible()) { this.lines[i] = this.lines[i].setVisible(false); lineChanged = true; } } else { hasVisibleLine = true; // Line should be visible if (!this.lines[i].isVisible()) { this.lines[i] = this.lines[i].setVisible(true); lineChanged = true; } } if (lineChanged) { var newOutputLineCount = this.lines[i].getViewLineCount(); this.prefixSumComputer.changeValue(i, newOutputLineCount); } } if (!hasVisibleLine) { // Cannot have everything be hidden => reveal everything! this.setHiddenAreas([]); } return true; }; SplitLinesCollection.prototype.modelPositionIsVisible = function (modelLineNumber, _modelColumn) { if (modelLineNumber < 1 || modelLineNumber > this.lines.length) { // invalid arguments return false; } return this.lines[modelLineNumber - 1].isVisible(); }; SplitLinesCollection.prototype.setTabSize = function (newTabSize) { if (this.tabSize === newTabSize) { return false; } this.tabSize = newTabSize; this._constructLines(false); return true; }; SplitLinesCollection.prototype.setWrappingSettings = function (wrappingIndent, wrappingColumn, columnsForFullWidthChar) { if (this.wrappingIndent === wrappingIndent && this.wrappingColumn === wrappingColumn && this.columnsForFullWidthChar === columnsForFullWidthChar) { return false; } this.wrappingIndent = wrappingIndent; this.wrappingColumn = wrappingColumn; this.columnsForFullWidthChar = columnsForFullWidthChar; this._constructLines(false); return true; }; SplitLinesCollection.prototype.onModelFlushed = function () { this._constructLines(true); }; SplitLinesCollection.prototype.onModelLinesDeleted = function (versionId, fromLineNumber, toLineNumber) { if (versionId <= this._validModelVersionId) { // Here we check for versionId in case the lines were reconstructed in the meantime. // We don't want to apply stale change events on top of a newer read model state. return null; } var outputFromLineNumber = (fromLineNumber === 1 ? 1 : this.prefixSumComputer.getAccumulatedValue(fromLineNumber - 2) + 1); var outputToLineNumber = this.prefixSumComputer.getAccumulatedValue(toLineNumber - 1); this.lines.splice(fromLineNumber - 1, toLineNumber - fromLineNumber + 1); this.prefixSumComputer.removeValues(fromLineNumber - 1, toLineNumber - fromLineNumber + 1); return new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["j" /* ViewLinesDeletedEvent */](outputFromLineNumber, outputToLineNumber); }; SplitLinesCollection.prototype.onModelLinesInserted = function (versionId, fromLineNumber, _toLineNumber, text) { if (versionId <= this._validModelVersionId) { // Here we check for versionId in case the lines were reconstructed in the meantime. // We don't want to apply stale change events on top of a newer read model state. return null; } var hiddenAreas = this.getHiddenAreas(); var isInHiddenArea = false; var testPosition = new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](fromLineNumber, 1); for (var _i = 0, hiddenAreas_1 = hiddenAreas; _i < hiddenAreas_1.length; _i++) { var hiddenArea = hiddenAreas_1[_i]; if (hiddenArea.containsPosition(testPosition)) { isInHiddenArea = true; break; } } var outputFromLineNumber = (fromLineNumber === 1 ? 1 : this.prefixSumComputer.getAccumulatedValue(fromLineNumber - 2) + 1); var totalOutputLineCount = 0; var insertLines = []; var insertPrefixSumValues = new Uint32Array(text.length); for (var i = 0, len = text.length; i < len; i++) { var line = createSplitLine(this.linePositionMapperFactory, text[i], this.tabSize, this.wrappingColumn, this.columnsForFullWidthChar, this.wrappingIndent, !isInHiddenArea); insertLines.push(line); var outputLineCount = line.getViewLineCount(); totalOutputLineCount += outputLineCount; insertPrefixSumValues[i] = outputLineCount; } // TODO@Alex: use arrays.arrayInsert this.lines = this.lines.slice(0, fromLineNumber - 1).concat(insertLines).concat(this.lines.slice(fromLineNumber - 1)); this.prefixSumComputer.insertValues(fromLineNumber - 1, insertPrefixSumValues); return new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["k" /* ViewLinesInsertedEvent */](outputFromLineNumber, outputFromLineNumber + totalOutputLineCount - 1); }; SplitLinesCollection.prototype.onModelLineChanged = function (versionId, lineNumber, newText) { if (versionId <= this._validModelVersionId) { // Here we check for versionId in case the lines were reconstructed in the meantime. // We don't want to apply stale change events on top of a newer read model state. return [false, null, null, null]; } var lineIndex = lineNumber - 1; var oldOutputLineCount = this.lines[lineIndex].getViewLineCount(); var isVisible = this.lines[lineIndex].isVisible(); var line = createSplitLine(this.linePositionMapperFactory, newText, this.tabSize, this.wrappingColumn, this.columnsForFullWidthChar, this.wrappingIndent, isVisible); this.lines[lineIndex] = line; var newOutputLineCount = this.lines[lineIndex].getViewLineCount(); var lineMappingChanged = false; var changeFrom = 0; var changeTo = -1; var insertFrom = 0; var insertTo = -1; var deleteFrom = 0; var deleteTo = -1; if (oldOutputLineCount > newOutputLineCount) { changeFrom = (lineNumber === 1 ? 1 : this.prefixSumComputer.getAccumulatedValue(lineNumber - 2) + 1); changeTo = changeFrom + newOutputLineCount - 1; deleteFrom = changeTo + 1; deleteTo = deleteFrom + (oldOutputLineCount - newOutputLineCount) - 1; lineMappingChanged = true; } else if (oldOutputLineCount < newOutputLineCount) { changeFrom = (lineNumber === 1 ? 1 : this.prefixSumComputer.getAccumulatedValue(lineNumber - 2) + 1); changeTo = changeFrom + oldOutputLineCount - 1; insertFrom = changeTo + 1; insertTo = insertFrom + (newOutputLineCount - oldOutputLineCount) - 1; lineMappingChanged = true; } else { changeFrom = (lineNumber === 1 ? 1 : this.prefixSumComputer.getAccumulatedValue(lineNumber - 2) + 1); changeTo = changeFrom + newOutputLineCount - 1; } this.prefixSumComputer.changeValue(lineIndex, newOutputLineCount); var viewLinesChangedEvent = (changeFrom <= changeTo ? new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["i" /* ViewLinesChangedEvent */](changeFrom, changeTo) : null); var viewLinesInsertedEvent = (insertFrom <= insertTo ? new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["k" /* ViewLinesInsertedEvent */](insertFrom, insertTo) : null); var viewLinesDeletedEvent = (deleteFrom <= deleteTo ? new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["j" /* ViewLinesDeletedEvent */](deleteFrom, deleteTo) : null); return [lineMappingChanged, viewLinesChangedEvent, viewLinesInsertedEvent, viewLinesDeletedEvent]; }; SplitLinesCollection.prototype.acceptVersionId = function (versionId) { this._validModelVersionId = versionId; if (this.lines.length === 1 && !this.lines[0].isVisible()) { // At least one line must be visible => reset hidden areas this.setHiddenAreas([]); } }; SplitLinesCollection.prototype.getViewLineCount = function () { this._ensureValidState(); return this.prefixSumComputer.getTotalValue(); }; SplitLinesCollection.prototype._toValidViewLineNumber = function (viewLineNumber) { if (viewLineNumber < 1) { return 1; } var viewLineCount = this.getViewLineCount(); if (viewLineNumber > viewLineCount) { return viewLineCount; } return viewLineNumber; }; /** * Gives a hint that a lot of requests are about to come in for these line numbers. */ SplitLinesCollection.prototype.warmUpLookupCache = function (viewStartLineNumber, viewEndLineNumber) { this.prefixSumComputer.warmUpCache(viewStartLineNumber - 1, viewEndLineNumber - 1); }; SplitLinesCollection.prototype.getActiveIndentGuide = function (viewLineNumber, minLineNumber, maxLineNumber) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); minLineNumber = this._toValidViewLineNumber(minLineNumber); maxLineNumber = this._toValidViewLineNumber(maxLineNumber); var modelPosition = this.convertViewPositionToModelPosition(viewLineNumber, this.getViewLineMinColumn(viewLineNumber)); var modelMinPosition = this.convertViewPositionToModelPosition(minLineNumber, this.getViewLineMinColumn(minLineNumber)); var modelMaxPosition = this.convertViewPositionToModelPosition(maxLineNumber, this.getViewLineMinColumn(maxLineNumber)); var result = this.model.getActiveIndentGuide(modelPosition.lineNumber, modelMinPosition.lineNumber, modelMaxPosition.lineNumber); var viewStartPosition = this.convertModelPositionToViewPosition(result.startLineNumber, 1); var viewEndPosition = this.convertModelPositionToViewPosition(result.endLineNumber, this.model.getLineMaxColumn(result.endLineNumber)); return { startLineNumber: viewStartPosition.lineNumber, endLineNumber: viewEndPosition.lineNumber, indent: result.indent }; }; SplitLinesCollection.prototype.getViewLinesIndentGuides = function (viewStartLineNumber, viewEndLineNumber) { this._ensureValidState(); viewStartLineNumber = this._toValidViewLineNumber(viewStartLineNumber); viewEndLineNumber = this._toValidViewLineNumber(viewEndLineNumber); var modelStart = this.convertViewPositionToModelPosition(viewStartLineNumber, this.getViewLineMinColumn(viewStartLineNumber)); var modelEnd = this.convertViewPositionToModelPosition(viewEndLineNumber, this.getViewLineMaxColumn(viewEndLineNumber)); var result = []; var resultRepeatCount = []; var resultRepeatOption = []; var modelStartLineIndex = modelStart.lineNumber - 1; var modelEndLineIndex = modelEnd.lineNumber - 1; var reqStart = null; for (var modelLineIndex = modelStartLineIndex; modelLineIndex <= modelEndLineIndex; modelLineIndex++) { var line = this.lines[modelLineIndex]; if (line.isVisible()) { var viewLineStartIndex = line.getViewLineNumberOfModelPosition(0, modelLineIndex === modelStartLineIndex ? modelStart.column : 1); var viewLineEndIndex = line.getViewLineNumberOfModelPosition(0, this.model.getLineMaxColumn(modelLineIndex + 1)); var count = viewLineEndIndex - viewLineStartIndex + 1; var option = 0 /* BlockNone */; if (count > 1 && line.getViewLineMinColumn(this.model, modelLineIndex + 1, viewLineEndIndex) === 1) { // wrapped lines should block indent guides option = (viewLineStartIndex === 0 ? 1 /* BlockSubsequent */ : 2 /* BlockAll */); } resultRepeatCount.push(count); resultRepeatOption.push(option); // merge into previous request if (reqStart === null) { reqStart = new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](modelLineIndex + 1, 0); } } else { // hit invisible line => flush request if (reqStart !== null) { result = result.concat(this.model.getLinesIndentGuides(reqStart.lineNumber, modelLineIndex)); reqStart = null; } } } if (reqStart !== null) { result = result.concat(this.model.getLinesIndentGuides(reqStart.lineNumber, modelEnd.lineNumber)); reqStart = null; } var viewLineCount = viewEndLineNumber - viewStartLineNumber + 1; var viewIndents = new Array(viewLineCount); var currIndex = 0; for (var i = 0, len = result.length; i < len; i++) { var value = result[i]; var count = Math.min(viewLineCount - currIndex, resultRepeatCount[i]); var option = resultRepeatOption[i]; var blockAtIndex = void 0; if (option === 2 /* BlockAll */) { blockAtIndex = 0; } else if (option === 1 /* BlockSubsequent */) { blockAtIndex = 1; } else { blockAtIndex = count; } for (var j = 0; j < count; j++) { if (j === blockAtIndex) { value = 0; } viewIndents[currIndex++] = value; } } return viewIndents; }; SplitLinesCollection.prototype.getViewLineContent = function (viewLineNumber) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; return this.lines[lineIndex].getViewLineContent(this.model, lineIndex + 1, remainder); }; SplitLinesCollection.prototype.getViewLineLength = function (viewLineNumber) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; return this.lines[lineIndex].getViewLineLength(this.model, lineIndex + 1, remainder); }; SplitLinesCollection.prototype.getViewLineMinColumn = function (viewLineNumber) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; return this.lines[lineIndex].getViewLineMinColumn(this.model, lineIndex + 1, remainder); }; SplitLinesCollection.prototype.getViewLineMaxColumn = function (viewLineNumber) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; return this.lines[lineIndex].getViewLineMaxColumn(this.model, lineIndex + 1, remainder); }; SplitLinesCollection.prototype.getViewLineData = function (viewLineNumber) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; return this.lines[lineIndex].getViewLineData(this.model, lineIndex + 1, remainder); }; SplitLinesCollection.prototype.getViewLinesData = function (viewStartLineNumber, viewEndLineNumber, needed) { this._ensureValidState(); viewStartLineNumber = this._toValidViewLineNumber(viewStartLineNumber); viewEndLineNumber = this._toValidViewLineNumber(viewEndLineNumber); var start = this.prefixSumComputer.getIndexOf(viewStartLineNumber - 1); var viewLineNumber = viewStartLineNumber; var startModelLineIndex = start.index; var startRemainder = start.remainder; var result = []; for (var modelLineIndex = startModelLineIndex, len = this.model.getLineCount(); modelLineIndex < len; modelLineIndex++) { var line = this.lines[modelLineIndex]; if (!line.isVisible()) { continue; } var fromViewLineIndex = (modelLineIndex === startModelLineIndex ? startRemainder : 0); var remainingViewLineCount = line.getViewLineCount() - fromViewLineIndex; var lastLine = false; if (viewLineNumber + remainingViewLineCount > viewEndLineNumber) { lastLine = true; remainingViewLineCount = viewEndLineNumber - viewLineNumber + 1; } var toViewLineIndex = fromViewLineIndex + remainingViewLineCount; line.getViewLinesData(this.model, modelLineIndex + 1, fromViewLineIndex, toViewLineIndex, viewLineNumber - viewStartLineNumber, needed, result); viewLineNumber += remainingViewLineCount; if (lastLine) { break; } } return result; }; SplitLinesCollection.prototype.validateViewPosition = function (viewLineNumber, viewColumn, expectedModelPosition) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; var line = this.lines[lineIndex]; var minColumn = line.getViewLineMinColumn(this.model, lineIndex + 1, remainder); var maxColumn = line.getViewLineMaxColumn(this.model, lineIndex + 1, remainder); if (viewColumn < minColumn) { viewColumn = minColumn; } if (viewColumn > maxColumn) { viewColumn = maxColumn; } var computedModelColumn = line.getModelColumnOfViewPosition(remainder, viewColumn); var computedModelPosition = this.model.validatePosition(new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](lineIndex + 1, computedModelColumn)); if (computedModelPosition.equals(expectedModelPosition)) { return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](viewLineNumber, viewColumn); } return this.convertModelPositionToViewPosition(expectedModelPosition.lineNumber, expectedModelPosition.column); }; SplitLinesCollection.prototype.convertViewPositionToModelPosition = function (viewLineNumber, viewColumn) { this._ensureValidState(); viewLineNumber = this._toValidViewLineNumber(viewLineNumber); var r = this.prefixSumComputer.getIndexOf(viewLineNumber - 1); var lineIndex = r.index; var remainder = r.remainder; var inputColumn = this.lines[lineIndex].getModelColumnOfViewPosition(remainder, viewColumn); // console.log('out -> in ' + viewLineNumber + ',' + viewColumn + ' ===> ' + (lineIndex+1) + ',' + inputColumn); return this.model.validatePosition(new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](lineIndex + 1, inputColumn)); }; SplitLinesCollection.prototype.convertModelPositionToViewPosition = function (_modelLineNumber, _modelColumn) { this._ensureValidState(); var validPosition = this.model.validatePosition(new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](_modelLineNumber, _modelColumn)); var inputLineNumber = validPosition.lineNumber; var inputColumn = validPosition.column; var lineIndex = inputLineNumber - 1, lineIndexChanged = false; while (lineIndex > 0 && !this.lines[lineIndex].isVisible()) { lineIndex--; lineIndexChanged = true; } if (lineIndex === 0 && !this.lines[lineIndex].isVisible()) { // Could not reach a real line // console.log('in -> out ' + inputLineNumber + ',' + inputColumn + ' ===> ' + 1 + ',' + 1); return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](1, 1); } var deltaLineNumber = 1 + (lineIndex === 0 ? 0 : this.prefixSumComputer.getAccumulatedValue(lineIndex - 1)); var r; if (lineIndexChanged) { r = this.lines[lineIndex].getViewPositionOfModelPosition(deltaLineNumber, this.model.getLineMaxColumn(lineIndex + 1)); } else { r = this.lines[inputLineNumber - 1].getViewPositionOfModelPosition(deltaLineNumber, inputColumn); } // console.log('in -> out ' + inputLineNumber + ',' + inputColumn + ' ===> ' + r.lineNumber + ',' + r); return r; }; SplitLinesCollection.prototype._getViewLineNumberForModelPosition = function (inputLineNumber, inputColumn) { var lineIndex = inputLineNumber - 1; if (this.lines[lineIndex].isVisible()) { // this model line is visible var deltaLineNumber_1 = 1 + (lineIndex === 0 ? 0 : this.prefixSumComputer.getAccumulatedValue(lineIndex - 1)); return this.lines[lineIndex].getViewLineNumberOfModelPosition(deltaLineNumber_1, inputColumn); } // this model line is not visible while (lineIndex > 0 && !this.lines[lineIndex].isVisible()) { lineIndex--; } if (lineIndex === 0 && !this.lines[lineIndex].isVisible()) { // Could not reach a real line return 1; } var deltaLineNumber = 1 + (lineIndex === 0 ? 0 : this.prefixSumComputer.getAccumulatedValue(lineIndex - 1)); return this.lines[lineIndex].getViewLineNumberOfModelPosition(deltaLineNumber, this.model.getLineMaxColumn(lineIndex + 1)); }; SplitLinesCollection.prototype.getAllOverviewRulerDecorations = function (ownerId, filterOutValidation, theme) { var decorations = this.model.getOverviewRulerDecorations(ownerId, filterOutValidation); var result = new OverviewRulerDecorations(); for (var _i = 0, decorations_1 = decorations; _i < decorations_1.length; _i++) { var decoration = decorations_1[_i]; var opts = decoration.options.overviewRuler; var lane = opts ? opts.position : 0; if (lane === 0) { continue; } var color = opts.getColor(theme); var viewStartLineNumber = this._getViewLineNumberForModelPosition(decoration.range.startLineNumber, decoration.range.startColumn); var viewEndLineNumber = this._getViewLineNumberForModelPosition(decoration.range.endLineNumber, decoration.range.endColumn); result.accept(color, viewStartLineNumber, viewEndLineNumber, lane); } return result.result; }; SplitLinesCollection.prototype.getDecorationsInRange = function (range, ownerId, filterOutValidation) { var modelStart = this.convertViewPositionToModelPosition(range.startLineNumber, range.startColumn); var modelEnd = this.convertViewPositionToModelPosition(range.endLineNumber, range.endColumn); if (modelEnd.lineNumber - modelStart.lineNumber <= range.endLineNumber - range.startLineNumber) { // most likely there are no hidden lines => fast path // fetch decorations from column 1 to cover the case of wrapped lines that have whole line decorations at column 1 return this.model.getDecorationsInRange(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](modelStart.lineNumber, 1, modelEnd.lineNumber, modelEnd.column), ownerId, filterOutValidation); } var result = []; var modelStartLineIndex = modelStart.lineNumber - 1; var modelEndLineIndex = modelEnd.lineNumber - 1; var reqStart = null; for (var modelLineIndex = modelStartLineIndex; modelLineIndex <= modelEndLineIndex; modelLineIndex++) { var line = this.lines[modelLineIndex]; if (line.isVisible()) { // merge into previous request if (reqStart === null) { reqStart = new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](modelLineIndex + 1, modelLineIndex === modelStartLineIndex ? modelStart.column : 1); } } else { // hit invisible line => flush request if (reqStart !== null) { var maxLineColumn = this.model.getLineMaxColumn(modelLineIndex); result = result.concat(this.model.getDecorationsInRange(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](reqStart.lineNumber, reqStart.column, modelLineIndex, maxLineColumn), ownerId, filterOutValidation)); reqStart = null; } } } if (reqStart !== null) { result = result.concat(this.model.getDecorationsInRange(new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](reqStart.lineNumber, reqStart.column, modelEnd.lineNumber, modelEnd.column), ownerId, filterOutValidation)); reqStart = null; } result.sort(function (a, b) { var res = __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */].compareRangesUsingStarts(a.range, b.range); if (res === 0) { if (a.id < b.id) { return -1; } if (a.id > b.id) { return 1; } return 0; } return res; }); // Eliminate duplicate decorations that might have intersected our visible ranges multiple times var finalResult = [], finalResultLen = 0; var prevDecId = null; for (var _i = 0, result_1 = result; _i < result_1.length; _i++) { var dec = result_1[_i]; var decId = dec.id; if (prevDecId === decId) { // skip continue; } prevDecId = decId; finalResult[finalResultLen++] = dec; } return finalResult; }; return SplitLinesCollection; }()); var VisibleIdentitySplitLine = /** @class */ (function () { function VisibleIdentitySplitLine() { } VisibleIdentitySplitLine.prototype.isVisible = function () { return true; }; VisibleIdentitySplitLine.prototype.setVisible = function (isVisible) { if (isVisible) { return this; } return InvisibleIdentitySplitLine.INSTANCE; }; VisibleIdentitySplitLine.prototype.getViewLineCount = function () { return 1; }; VisibleIdentitySplitLine.prototype.getViewLineContent = function (model, modelLineNumber, _outputLineIndex) { return model.getLineContent(modelLineNumber); }; VisibleIdentitySplitLine.prototype.getViewLineLength = function (model, modelLineNumber, _outputLineIndex) { return model.getLineLength(modelLineNumber); }; VisibleIdentitySplitLine.prototype.getViewLineMinColumn = function (model, modelLineNumber, _outputLineIndex) { return model.getLineMinColumn(modelLineNumber); }; VisibleIdentitySplitLine.prototype.getViewLineMaxColumn = function (model, modelLineNumber, _outputLineIndex) { return model.getLineMaxColumn(modelLineNumber); }; VisibleIdentitySplitLine.prototype.getViewLineData = function (model, modelLineNumber, _outputLineIndex) { var lineTokens = model.getLineTokens(modelLineNumber); var lineContent = lineTokens.getLineContent(); return new __WEBPACK_IMPORTED_MODULE_5__viewModel_js__["c" /* ViewLineData */](lineContent, false, 1, lineContent.length + 1, lineTokens.inflate()); }; VisibleIdentitySplitLine.prototype.getViewLinesData = function (model, modelLineNumber, _fromOuputLineIndex, _toOutputLineIndex, globalStartIndex, needed, result) { if (!needed[globalStartIndex]) { result[globalStartIndex] = null; return; } result[globalStartIndex] = this.getViewLineData(model, modelLineNumber, 0); }; VisibleIdentitySplitLine.prototype.getModelColumnOfViewPosition = function (_outputLineIndex, outputColumn) { return outputColumn; }; VisibleIdentitySplitLine.prototype.getViewPositionOfModelPosition = function (deltaLineNumber, inputColumn) { return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](deltaLineNumber, inputColumn); }; VisibleIdentitySplitLine.prototype.getViewLineNumberOfModelPosition = function (deltaLineNumber, _inputColumn) { return deltaLineNumber; }; VisibleIdentitySplitLine.INSTANCE = new VisibleIdentitySplitLine(); return VisibleIdentitySplitLine; }()); var InvisibleIdentitySplitLine = /** @class */ (function () { function InvisibleIdentitySplitLine() { } InvisibleIdentitySplitLine.prototype.isVisible = function () { return false; }; InvisibleIdentitySplitLine.prototype.setVisible = function (isVisible) { if (!isVisible) { return this; } return VisibleIdentitySplitLine.INSTANCE; }; InvisibleIdentitySplitLine.prototype.getViewLineCount = function () { return 0; }; InvisibleIdentitySplitLine.prototype.getViewLineContent = function (_model, _modelLineNumber, _outputLineIndex) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewLineLength = function (_model, _modelLineNumber, _outputLineIndex) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewLineMinColumn = function (_model, _modelLineNumber, _outputLineIndex) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewLineMaxColumn = function (_model, _modelLineNumber, _outputLineIndex) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewLineData = function (_model, _modelLineNumber, _outputLineIndex) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewLinesData = function (_model, _modelLineNumber, _fromOuputLineIndex, _toOutputLineIndex, _globalStartIndex, _needed, _result) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getModelColumnOfViewPosition = function (_outputLineIndex, _outputColumn) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewPositionOfModelPosition = function (_deltaLineNumber, _inputColumn) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.prototype.getViewLineNumberOfModelPosition = function (_deltaLineNumber, _inputColumn) { throw new Error('Not supported'); }; InvisibleIdentitySplitLine.INSTANCE = new InvisibleIdentitySplitLine(); return InvisibleIdentitySplitLine; }()); var SplitLine = /** @class */ (function () { function SplitLine(positionMapper, isVisible) { this.positionMapper = positionMapper; this.wrappedIndent = this.positionMapper.getWrappedLinesIndent(); this.wrappedIndentLength = this.wrappedIndent.length; this.outputLineCount = this.positionMapper.getOutputLineCount(); this._isVisible = isVisible; } SplitLine.prototype.isVisible = function () { return this._isVisible; }; SplitLine.prototype.setVisible = function (isVisible) { this._isVisible = isVisible; return this; }; SplitLine.prototype.getViewLineCount = function () { if (!this._isVisible) { return 0; } return this.outputLineCount; }; SplitLine.prototype.getInputStartOffsetOfOutputLineIndex = function (outputLineIndex) { return this.positionMapper.getInputOffsetOfOutputPosition(outputLineIndex, 0); }; SplitLine.prototype.getInputEndOffsetOfOutputLineIndex = function (model, modelLineNumber, outputLineIndex) { if (outputLineIndex + 1 === this.outputLineCount) { return model.getLineMaxColumn(modelLineNumber) - 1; } return this.positionMapper.getInputOffsetOfOutputPosition(outputLineIndex + 1, 0); }; SplitLine.prototype.getViewLineContent = function (model, modelLineNumber, outputLineIndex) { if (!this._isVisible) { throw new Error('Not supported'); } var startOffset = this.getInputStartOffsetOfOutputLineIndex(outputLineIndex); var endOffset = this.getInputEndOffsetOfOutputLineIndex(model, modelLineNumber, outputLineIndex); var r = model.getValueInRange({ startLineNumber: modelLineNumber, startColumn: startOffset + 1, endLineNumber: modelLineNumber, endColumn: endOffset + 1 }); if (outputLineIndex > 0) { r = this.wrappedIndent + r; } return r; }; SplitLine.prototype.getViewLineLength = function (model, modelLineNumber, outputLineIndex) { if (!this._isVisible) { throw new Error('Not supported'); } var startOffset = this.getInputStartOffsetOfOutputLineIndex(outputLineIndex); var endOffset = this.getInputEndOffsetOfOutputLineIndex(model, modelLineNumber, outputLineIndex); var r = endOffset - startOffset; if (outputLineIndex > 0) { r = this.wrappedIndent.length + r; } return r; }; SplitLine.prototype.getViewLineMinColumn = function (_model, _modelLineNumber, outputLineIndex) { if (!this._isVisible) { throw new Error('Not supported'); } if (outputLineIndex > 0) { return this.wrappedIndentLength + 1; } return 1; }; SplitLine.prototype.getViewLineMaxColumn = function (model, modelLineNumber, outputLineIndex) { if (!this._isVisible) { throw new Error('Not supported'); } return this.getViewLineContent(model, modelLineNumber, outputLineIndex).length + 1; }; SplitLine.prototype.getViewLineData = function (model, modelLineNumber, outputLineIndex) { if (!this._isVisible) { throw new Error('Not supported'); } var startOffset = this.getInputStartOffsetOfOutputLineIndex(outputLineIndex); var endOffset = this.getInputEndOffsetOfOutputLineIndex(model, modelLineNumber, outputLineIndex); var lineContent = model.getValueInRange({ startLineNumber: modelLineNumber, startColumn: startOffset + 1, endLineNumber: modelLineNumber, endColumn: endOffset + 1 }); if (outputLineIndex > 0) { lineContent = this.wrappedIndent + lineContent; } var minColumn = (outputLineIndex > 0 ? this.wrappedIndentLength + 1 : 1); var maxColumn = lineContent.length + 1; var continuesWithWrappedLine = (outputLineIndex + 1 < this.getViewLineCount()); var deltaStartIndex = 0; if (outputLineIndex > 0) { deltaStartIndex = this.wrappedIndentLength; } var lineTokens = model.getLineTokens(modelLineNumber); return new __WEBPACK_IMPORTED_MODULE_5__viewModel_js__["c" /* ViewLineData */](lineContent, continuesWithWrappedLine, minColumn, maxColumn, lineTokens.sliceAndInflate(startOffset, endOffset, deltaStartIndex)); }; SplitLine.prototype.getViewLinesData = function (model, modelLineNumber, fromOuputLineIndex, toOutputLineIndex, globalStartIndex, needed, result) { if (!this._isVisible) { throw new Error('Not supported'); } for (var outputLineIndex = fromOuputLineIndex; outputLineIndex < toOutputLineIndex; outputLineIndex++) { var globalIndex = globalStartIndex + outputLineIndex - fromOuputLineIndex; if (!needed[globalIndex]) { result[globalIndex] = null; continue; } result[globalIndex] = this.getViewLineData(model, modelLineNumber, outputLineIndex); } }; SplitLine.prototype.getModelColumnOfViewPosition = function (outputLineIndex, outputColumn) { if (!this._isVisible) { throw new Error('Not supported'); } var adjustedColumn = outputColumn - 1; if (outputLineIndex > 0) { if (adjustedColumn < this.wrappedIndentLength) { adjustedColumn = 0; } else { adjustedColumn -= this.wrappedIndentLength; } } return this.positionMapper.getInputOffsetOfOutputPosition(outputLineIndex, adjustedColumn) + 1; }; SplitLine.prototype.getViewPositionOfModelPosition = function (deltaLineNumber, inputColumn) { if (!this._isVisible) { throw new Error('Not supported'); } var r = this.positionMapper.getOutputPositionOfInputOffset(inputColumn - 1); var outputLineIndex = r.outputLineIndex; var outputColumn = r.outputOffset + 1; if (outputLineIndex > 0) { outputColumn += this.wrappedIndentLength; } // console.log('in -> out ' + deltaLineNumber + ',' + inputColumn + ' ===> ' + (deltaLineNumber+outputLineIndex) + ',' + outputColumn); return new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](deltaLineNumber + outputLineIndex, outputColumn); }; SplitLine.prototype.getViewLineNumberOfModelPosition = function (deltaLineNumber, inputColumn) { if (!this._isVisible) { throw new Error('Not supported'); } var r = this.positionMapper.getOutputPositionOfInputOffset(inputColumn - 1); return (deltaLineNumber + r.outputLineIndex); }; return SplitLine; }()); function createSplitLine(linePositionMapperFactory, text, tabSize, wrappingColumn, columnsForFullWidthChar, wrappingIndent, isVisible) { var positionMapper = linePositionMapperFactory.createLineMapping(text, tabSize, wrappingColumn, columnsForFullWidthChar, wrappingIndent); if (positionMapper === null) { // No mapping needed if (isVisible) { return VisibleIdentitySplitLine.INSTANCE; } return InvisibleIdentitySplitLine.INSTANCE; } else { return new SplitLine(positionMapper, isVisible); } } var IdentityCoordinatesConverter = /** @class */ (function () { function IdentityCoordinatesConverter(lines) { this._lines = lines; } IdentityCoordinatesConverter.prototype._validPosition = function (pos) { return this._lines.model.validatePosition(pos); }; IdentityCoordinatesConverter.prototype._validRange = function (range) { return this._lines.model.validateRange(range); }; // View -> Model conversion and related methods IdentityCoordinatesConverter.prototype.convertViewPositionToModelPosition = function (viewPosition) { return this._validPosition(viewPosition); }; IdentityCoordinatesConverter.prototype.convertViewRangeToModelRange = function (viewRange) { return this._validRange(viewRange); }; IdentityCoordinatesConverter.prototype.validateViewPosition = function (_viewPosition, expectedModelPosition) { return this._validPosition(expectedModelPosition); }; IdentityCoordinatesConverter.prototype.validateViewRange = function (_viewRange, expectedModelRange) { return this._validRange(expectedModelRange); }; // Model -> View conversion and related methods IdentityCoordinatesConverter.prototype.convertModelPositionToViewPosition = function (modelPosition) { return this._validPosition(modelPosition); }; IdentityCoordinatesConverter.prototype.convertModelRangeToViewRange = function (modelRange) { return this._validRange(modelRange); }; IdentityCoordinatesConverter.prototype.modelPositionIsVisible = function (modelPosition) { var lineCount = this._lines.model.getLineCount(); if (modelPosition.lineNumber < 1 || modelPosition.lineNumber > lineCount) { // invalid arguments return false; } return true; }; return IdentityCoordinatesConverter; }()); var IdentityLinesCollection = /** @class */ (function () { function IdentityLinesCollection(model) { this.model = model; } IdentityLinesCollection.prototype.dispose = function () { }; IdentityLinesCollection.prototype.createCoordinatesConverter = function () { return new IdentityCoordinatesConverter(this); }; IdentityLinesCollection.prototype.getHiddenAreas = function () { return []; }; IdentityLinesCollection.prototype.setHiddenAreas = function (_ranges) { return false; }; IdentityLinesCollection.prototype.setTabSize = function (_newTabSize) { return false; }; IdentityLinesCollection.prototype.setWrappingSettings = function (_wrappingIndent, _wrappingColumn, _columnsForFullWidthChar) { return false; }; IdentityLinesCollection.prototype.onModelFlushed = function () { }; IdentityLinesCollection.prototype.onModelLinesDeleted = function (_versionId, fromLineNumber, toLineNumber) { return new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["j" /* ViewLinesDeletedEvent */](fromLineNumber, toLineNumber); }; IdentityLinesCollection.prototype.onModelLinesInserted = function (_versionId, fromLineNumber, toLineNumber, _text) { return new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["k" /* ViewLinesInsertedEvent */](fromLineNumber, toLineNumber); }; IdentityLinesCollection.prototype.onModelLineChanged = function (_versionId, lineNumber, _newText) { return [false, new __WEBPACK_IMPORTED_MODULE_3__view_viewEvents_js__["i" /* ViewLinesChangedEvent */](lineNumber, lineNumber), null, null]; }; IdentityLinesCollection.prototype.acceptVersionId = function (_versionId) { }; IdentityLinesCollection.prototype.getViewLineCount = function () { return this.model.getLineCount(); }; IdentityLinesCollection.prototype.warmUpLookupCache = function (_viewStartLineNumber, _viewEndLineNumber) { }; IdentityLinesCollection.prototype.getActiveIndentGuide = function (viewLineNumber, _minLineNumber, _maxLineNumber) { return { startLineNumber: viewLineNumber, endLineNumber: viewLineNumber, indent: 0 }; }; IdentityLinesCollection.prototype.getViewLinesIndentGuides = function (viewStartLineNumber, viewEndLineNumber) { var viewLineCount = viewEndLineNumber - viewStartLineNumber + 1; var result = new Array(viewLineCount); for (var i = 0; i < viewLineCount; i++) { result[i] = 0; } return result; }; IdentityLinesCollection.prototype.getViewLineContent = function (viewLineNumber) { return this.model.getLineContent(viewLineNumber); }; IdentityLinesCollection.prototype.getViewLineLength = function (viewLineNumber) { return this.model.getLineLength(viewLineNumber); }; IdentityLinesCollection.prototype.getViewLineMinColumn = function (viewLineNumber) { return this.model.getLineMinColumn(viewLineNumber); }; IdentityLinesCollection.prototype.getViewLineMaxColumn = function (viewLineNumber) { return this.model.getLineMaxColumn(viewLineNumber); }; IdentityLinesCollection.prototype.getViewLineData = function (viewLineNumber) { var lineTokens = this.model.getLineTokens(viewLineNumber); var lineContent = lineTokens.getLineContent(); return new __WEBPACK_IMPORTED_MODULE_5__viewModel_js__["c" /* ViewLineData */](lineContent, false, 1, lineContent.length + 1, lineTokens.inflate()); }; IdentityLinesCollection.prototype.getViewLinesData = function (viewStartLineNumber, viewEndLineNumber, needed) { var lineCount = this.model.getLineCount(); viewStartLineNumber = Math.min(Math.max(1, viewStartLineNumber), lineCount); viewEndLineNumber = Math.min(Math.max(1, viewEndLineNumber), lineCount); var result = []; for (var lineNumber = viewStartLineNumber; lineNumber <= viewEndLineNumber; lineNumber++) { var idx = lineNumber - viewStartLineNumber; if (!needed[idx]) { result[idx] = null; } result[idx] = this.getViewLineData(lineNumber); } return result; }; IdentityLinesCollection.prototype.getAllOverviewRulerDecorations = function (ownerId, filterOutValidation, theme) { var decorations = this.model.getOverviewRulerDecorations(ownerId, filterOutValidation); var result = new OverviewRulerDecorations(); for (var _i = 0, decorations_2 = decorations; _i < decorations_2.length; _i++) { var decoration = decorations_2[_i]; var opts = decoration.options.overviewRuler; var lane = opts ? opts.position : 0; if (lane === 0) { continue; } var color = opts.getColor(theme); var viewStartLineNumber = decoration.range.startLineNumber; var viewEndLineNumber = decoration.range.endLineNumber; result.accept(color, viewStartLineNumber, viewEndLineNumber, lane); } return result.result; }; IdentityLinesCollection.prototype.getDecorationsInRange = function (range, ownerId, filterOutValidation) { return this.model.getDecorationsInRange(range, ownerId, filterOutValidation); }; return IdentityLinesCollection; }()); var OverviewRulerDecorations = /** @class */ (function () { function OverviewRulerDecorations() { this.result = Object.create(null); } OverviewRulerDecorations.prototype.accept = function (color, startLineNumber, endLineNumber, lane) { var prev = this.result[color]; if (prev) { var prevLane = prev[prev.length - 3]; var prevEndLineNumber = prev[prev.length - 1]; if (prevLane === lane && prevEndLineNumber + 1 >= startLineNumber) { // merge into prev if (endLineNumber > prevEndLineNumber) { prev[prev.length - 1] = endLineNumber; } return; } // push prev.push(lane, startLineNumber, endLineNumber); } else { this.result[color] = [lane, startLineNumber, endLineNumber]; } }; return OverviewRulerDecorations; }()); /***/ }), /***/ 1715: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return BaseActionItem; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return Separator; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ActionItem; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ActionBar; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__actionbar_css__ = __webpack_require__(2034); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__actionbar_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__actionbar_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_actions_js__ = __webpack_require__(1396); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__touch_js__ = __webpack_require__(1397); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var BaseActionItem = /** @class */ (function (_super) { __extends(BaseActionItem, _super); function BaseActionItem(context, action, options) { var _this = _super.call(this) || this; _this.options = options; _this._context = context || _this; _this._action = action; if (action instanceof __WEBPACK_IMPORTED_MODULE_4__common_actions_js__["a" /* Action */]) { _this._register(action.onDidChange(function (event) { if (!_this.element) { // we have not been rendered yet, so there // is no point in updating the UI return; } _this.handleActionChangeEvent(event); })); } return _this; } BaseActionItem.prototype.handleActionChangeEvent = function (event) { if (event.enabled !== undefined) { this.updateEnabled(); } if (event.checked !== undefined) { this.updateChecked(); } if (event.class !== undefined) { this.updateClass(); } if (event.label !== undefined) { this.updateLabel(); this.updateTooltip(); } if (event.tooltip !== undefined) { this.updateTooltip(); } }; Object.defineProperty(BaseActionItem.prototype, "actionRunner", { get: function () { return this._actionRunner; }, set: function (actionRunner) { this._actionRunner = actionRunner; }, enumerable: true, configurable: true }); BaseActionItem.prototype.getAction = function () { return this._action; }; BaseActionItem.prototype.isEnabled = function () { return this._action.enabled; }; BaseActionItem.prototype.setActionContext = function (newContext) { this._context = newContext; }; BaseActionItem.prototype.render = function (container) { var _this = this; this.element = container; __WEBPACK_IMPORTED_MODULE_7__touch_js__["b" /* Gesture */].addTarget(container); var enableDragging = this.options && this.options.draggable; if (enableDragging) { container.draggable = true; } this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](this.element, __WEBPACK_IMPORTED_MODULE_7__touch_js__["a" /* EventType */].Tap, function (e) { return _this.onClick(e); })); this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_DOWN, function (e) { if (!enableDragging) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); // do not run when dragging is on because that would disable it } if (_this._action.enabled && e.button === 0 && _this.element) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](_this.element, 'active'); } })); this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].CLICK, function (e) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); // See https://developer.mozilla.org/en-US/Add-ons/WebExtensions/Interact_with_the_clipboard // > Writing to the clipboard // > You can use the "cut" and "copy" commands without any special // permission if you are using them in a short-lived event handler // for a user action (for example, a click handler). // => to get the Copy and Paste context menu actions working on Firefox, // there should be no timeout here if (_this.options && _this.options.isMenu) { _this.onClick(e); } else { __WEBPACK_IMPORTED_MODULE_1__common_platform_js__["h" /* setImmediate */](function () { return _this.onClick(e); }); } })); this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].DBLCLICK, function (e) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); })); [__WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_UP, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_OUT].forEach(function (event) { _this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](_this.element, event, function (e) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e); __WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */](_this.element, 'active'); })); }); }; BaseActionItem.prototype.onClick = function (event) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(event, true); var context; if (__WEBPACK_IMPORTED_MODULE_6__common_types_js__["k" /* isUndefinedOrNull */](this._context)) { context = event; } else { context = this._context; if (__WEBPACK_IMPORTED_MODULE_6__common_types_js__["h" /* isObject */](context)) { context.event = event; } } this._actionRunner.run(this._action, context); }; BaseActionItem.prototype.focus = function () { if (this.element) { this.element.focus(); __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](this.element, 'focused'); } }; BaseActionItem.prototype.blur = function () { if (this.element) { this.element.blur(); __WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */](this.element, 'focused'); } }; BaseActionItem.prototype.updateEnabled = function () { // implement in subclass }; BaseActionItem.prototype.updateLabel = function () { // implement in subclass }; BaseActionItem.prototype.updateTooltip = function () { // implement in subclass }; BaseActionItem.prototype.updateClass = function () { // implement in subclass }; BaseActionItem.prototype.updateChecked = function () { // implement in subclass }; BaseActionItem.prototype.dispose = function () { if (this.element) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["F" /* removeNode */](this.element); this.element = undefined; } _super.prototype.dispose.call(this); }; return BaseActionItem; }(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["a" /* Disposable */])); var Separator = /** @class */ (function (_super) { __extends(Separator, _super); function Separator(label) { var _this = _super.call(this, Separator.ID, label, label ? 'separator text' : 'separator') || this; _this.checked = false; _this.radio = false; _this.enabled = false; return _this; } Separator.ID = 'vs.actions.separator'; return Separator; }(__WEBPACK_IMPORTED_MODULE_4__common_actions_js__["a" /* Action */])); var ActionItem = /** @class */ (function (_super) { __extends(ActionItem, _super); function ActionItem(context, action, options) { if (options === void 0) { options = {}; } var _this = _super.call(this, context, action, options) || this; _this.options = options; _this.options.icon = options.icon !== undefined ? options.icon : false; _this.options.label = options.label !== undefined ? options.label : true; _this.cssClass = ''; return _this; } ActionItem.prototype.render = function (container) { _super.prototype.render.call(this, container); if (this.element) { this.label = __WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */](this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */]('a.action-label')); } if (this._action.id === Separator.ID) { this.label.setAttribute('role', 'presentation'); // A separator is a presentation item } else { if (this.options.isMenu) { this.label.setAttribute('role', 'menuitem'); } else { this.label.setAttribute('role', 'button'); } } if (this.options.label && this.options.keybinding && this.element) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */](this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */]('span.keybinding')).textContent = this.options.keybinding; } this.updateClass(); this.updateLabel(); this.updateTooltip(); this.updateEnabled(); this.updateChecked(); }; ActionItem.prototype.focus = function () { _super.prototype.focus.call(this); this.label.focus(); }; ActionItem.prototype.updateLabel = function () { if (this.options.label) { this.label.textContent = this.getAction().label; } }; ActionItem.prototype.updateTooltip = function () { var title = null; if (this.getAction().tooltip) { title = this.getAction().tooltip; } else if (!this.options.label && this.getAction().label && this.options.icon) { title = this.getAction().label; if (this.options.keybinding) { title = __WEBPACK_IMPORTED_MODULE_2__nls_js__["a" /* localize */]({ key: 'titleLabel', comment: ['action title', 'action keybinding'] }, "{0} ({1})", title, this.options.keybinding); } } if (title) { this.label.title = title; } }; ActionItem.prototype.updateClass = function () { if (this.cssClass) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["E" /* removeClasses */](this.label, this.cssClass); } if (this.options.icon) { this.cssClass = this.getAction().class; __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](this.label, 'icon'); if (this.cssClass) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["f" /* addClasses */](this.label, this.cssClass); } this.updateEnabled(); } else { __WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */](this.label, 'icon'); } }; ActionItem.prototype.updateEnabled = function () { if (this.getAction().enabled) { this.label.removeAttribute('aria-disabled'); if (this.element) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */](this.element, 'disabled'); } __WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */](this.label, 'disabled'); this.label.tabIndex = 0; } else { this.label.setAttribute('aria-disabled', 'true'); if (this.element) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](this.element, 'disabled'); } __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](this.label, 'disabled'); __WEBPACK_IMPORTED_MODULE_5__dom_js__["G" /* removeTabIndexAndUpdateFocus */](this.label); } }; ActionItem.prototype.updateChecked = function () { if (this.getAction().checked) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](this.label, 'checked'); } else { __WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */](this.label, 'checked'); } }; return ActionItem; }(BaseActionItem)); var defaultOptions = { orientation: 0 /* HORIZONTAL */, context: null, triggerKeys: { keys: [3 /* Enter */, 10 /* Space */], keyDown: false } }; var ActionBar = /** @class */ (function (_super) { __extends(ActionBar, _super); function ActionBar(container, options) { if (options === void 0) { options = defaultOptions; } var _this = _super.call(this) || this; _this._onDidBlur = _this._register(new __WEBPACK_IMPORTED_MODULE_9__common_event_js__["a" /* Emitter */]()); _this._onDidCancel = _this._register(new __WEBPACK_IMPORTED_MODULE_9__common_event_js__["a" /* Emitter */]()); _this._onDidRun = _this._register(new __WEBPACK_IMPORTED_MODULE_9__common_event_js__["a" /* Emitter */]()); _this._onDidBeforeRun = _this._register(new __WEBPACK_IMPORTED_MODULE_9__common_event_js__["a" /* Emitter */]()); _this.options = options; _this._context = options.context; if (!_this.options.triggerKeys) { _this.options.triggerKeys = defaultOptions.triggerKeys; } if (_this.options.actionRunner) { _this._actionRunner = _this.options.actionRunner; } else { _this._actionRunner = new __WEBPACK_IMPORTED_MODULE_4__common_actions_js__["b" /* ActionRunner */](); _this._register(_this._actionRunner); } _this._register(_this._actionRunner.onDidRun(function (e) { return _this._onDidRun.fire(e); })); _this._register(_this._actionRunner.onDidBeforeRun(function (e) { return _this._onDidBeforeRun.fire(e); })); _this.items = []; _this.focusedItem = undefined; _this.domNode = document.createElement('div'); _this.domNode.className = 'monaco-action-bar'; if (options.animated !== false) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */](_this.domNode, 'animated'); } var previousKey; var nextKey; switch (_this.options.orientation) { case 0 /* HORIZONTAL */: previousKey = 15 /* LeftArrow */; nextKey = 17 /* RightArrow */; break; case 1 /* HORIZONTAL_REVERSE */: previousKey = 17 /* RightArrow */; nextKey = 15 /* LeftArrow */; _this.domNode.className += ' reverse'; break; case 2 /* VERTICAL */: previousKey = 16 /* UpArrow */; nextKey = 18 /* DownArrow */; _this.domNode.className += ' vertical'; break; case 3 /* VERTICAL_REVERSE */: previousKey = 18 /* DownArrow */; nextKey = 16 /* UpArrow */; _this.domNode.className += ' vertical reverse'; break; } _this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](_this.domNode, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_DOWN, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_8__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); var eventHandled = true; if (event.equals(previousKey)) { _this.focusPrevious(); } else if (event.equals(nextKey)) { _this.focusNext(); } else if (event.equals(9 /* Escape */)) { _this.cancel(); } else if (_this.isTriggerKeyEvent(event)) { // Staying out of the else branch even if not triggered if (_this.options.triggerKeys && _this.options.triggerKeys.keyDown) { _this.doTrigger(event); } } else { eventHandled = false; } if (eventHandled) { event.preventDefault(); event.stopPropagation(); } })); _this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](_this.domNode, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_UP, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_8__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); // Run action on Enter/Space if (_this.isTriggerKeyEvent(event)) { if (_this.options.triggerKeys && !_this.options.triggerKeys.keyDown) { _this.doTrigger(event); } event.preventDefault(); event.stopPropagation(); } // Recompute focused item else if (event.equals(2 /* Tab */) || event.equals(1024 /* Shift */ | 2 /* Tab */)) { _this.updateFocusedItem(); } })); _this.focusTracker = _this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["N" /* trackFocus */](_this.domNode)); _this._register(_this.focusTracker.onDidBlur(function () { if (document.activeElement === _this.domNode || !__WEBPACK_IMPORTED_MODULE_5__dom_js__["z" /* isAncestor */](document.activeElement, _this.domNode)) { _this._onDidBlur.fire(); _this.focusedItem = undefined; } })); _this._register(_this.focusTracker.onDidFocus(function () { return _this.updateFocusedItem(); })); _this.actionsList = document.createElement('ul'); _this.actionsList.className = 'actions-container'; _this.actionsList.setAttribute('role', 'toolbar'); if (_this.options.ariaLabel) { _this.actionsList.setAttribute('aria-label', _this.options.ariaLabel); } _this.domNode.appendChild(_this.actionsList); container.appendChild(_this.domNode); return _this; } Object.defineProperty(ActionBar.prototype, "onDidBlur", { get: function () { return this._onDidBlur.event; }, enumerable: true, configurable: true }); Object.defineProperty(ActionBar.prototype, "onDidCancel", { get: function () { return this._onDidCancel.event; }, enumerable: true, configurable: true }); Object.defineProperty(ActionBar.prototype, "onDidRun", { get: function () { return this._onDidRun.event; }, enumerable: true, configurable: true }); Object.defineProperty(ActionBar.prototype, "onDidBeforeRun", { get: function () { return this._onDidBeforeRun.event; }, enumerable: true, configurable: true }); ActionBar.prototype.isTriggerKeyEvent = function (event) { var ret = false; if (this.options.triggerKeys) { this.options.triggerKeys.keys.forEach(function (keyCode) { ret = ret || event.equals(keyCode); }); } return ret; }; ActionBar.prototype.updateFocusedItem = function () { for (var i = 0; i < this.actionsList.children.length; i++) { var elem = this.actionsList.children[i]; if (__WEBPACK_IMPORTED_MODULE_5__dom_js__["z" /* isAncestor */](document.activeElement, elem)) { this.focusedItem = i; break; } } }; Object.defineProperty(ActionBar.prototype, "context", { get: function () { return this._context; }, set: function (context) { this._context = context; this.items.forEach(function (i) { return i.setActionContext(context); }); }, enumerable: true, configurable: true }); ActionBar.prototype.getContainer = function () { return this.domNode; }; ActionBar.prototype.push = function (arg, options) { var _this = this; if (options === void 0) { options = {}; } var actions = !Array.isArray(arg) ? [arg] : arg; var index = __WEBPACK_IMPORTED_MODULE_6__common_types_js__["g" /* isNumber */](options.index) ? options.index : null; actions.forEach(function (action) { var actionItemElement = document.createElement('li'); actionItemElement.className = 'action-item'; actionItemElement.setAttribute('role', 'presentation'); // Prevent native context menu on actions _this._register(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */](actionItemElement, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].CONTEXT_MENU, function (e) { e.preventDefault(); e.stopPropagation(); })); var item = null; if (_this.options.actionItemProvider) { item = _this.options.actionItemProvider(action); } if (!item) { item = new ActionItem(_this.context, action, options); } item.actionRunner = _this._actionRunner; item.setActionContext(_this.context); item.render(actionItemElement); if (index === null || index < 0 || index >= _this.actionsList.children.length) { _this.actionsList.appendChild(actionItemElement); _this.items.push(item); } else { _this.actionsList.insertBefore(actionItemElement, _this.actionsList.children[index]); _this.items.splice(index, 0, item); index++; } }); }; ActionBar.prototype.clear = function () { this.items = Object(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["d" /* dispose */])(this.items); __WEBPACK_IMPORTED_MODULE_5__dom_js__["m" /* clearNode */](this.actionsList); }; ActionBar.prototype.isEmpty = function () { return this.items.length === 0; }; ActionBar.prototype.focus = function (arg) { var selectFirst = false; var index = undefined; if (arg === undefined) { selectFirst = true; } else if (typeof arg === 'number') { index = arg; } else if (typeof arg === 'boolean') { selectFirst = arg; } if (selectFirst && typeof this.focusedItem === 'undefined') { // Focus the first enabled item this.focusedItem = this.items.length - 1; this.focusNext(); } else { if (index !== undefined) { this.focusedItem = index; } this.updateFocus(); } }; ActionBar.prototype.focusNext = function () { if (typeof this.focusedItem === 'undefined') { this.focusedItem = this.items.length - 1; } var startIndex = this.focusedItem; var item; do { this.focusedItem = (this.focusedItem + 1) % this.items.length; item = this.items[this.focusedItem]; } while (this.focusedItem !== startIndex && !item.isEnabled()); if (this.focusedItem === startIndex && !item.isEnabled()) { this.focusedItem = undefined; } this.updateFocus(); }; ActionBar.prototype.focusPrevious = function () { if (typeof this.focusedItem === 'undefined') { this.focusedItem = 0; } var startIndex = this.focusedItem; var item; do { this.focusedItem = this.focusedItem - 1; if (this.focusedItem < 0) { this.focusedItem = this.items.length - 1; } item = this.items[this.focusedItem]; } while (this.focusedItem !== startIndex && !item.isEnabled()); if (this.focusedItem === startIndex && !item.isEnabled()) { this.focusedItem = undefined; } this.updateFocus(true); }; ActionBar.prototype.updateFocus = function (fromRight) { if (typeof this.focusedItem === 'undefined') { this.actionsList.focus(); } for (var i = 0; i < this.items.length; i++) { var item = this.items[i]; var actionItem = item; if (i === this.focusedItem) { if (__WEBPACK_IMPORTED_MODULE_6__common_types_js__["f" /* isFunction */](actionItem.isEnabled)) { if (actionItem.isEnabled() && __WEBPACK_IMPORTED_MODULE_6__common_types_js__["f" /* isFunction */](actionItem.focus)) { actionItem.focus(fromRight); } else { this.actionsList.focus(); } } } else { if (__WEBPACK_IMPORTED_MODULE_6__common_types_js__["f" /* isFunction */](actionItem.blur)) { actionItem.blur(); } } } }; ActionBar.prototype.doTrigger = function (event) { if (typeof this.focusedItem === 'undefined') { return; //nothing to focus } // trigger action var actionItem = this.items[this.focusedItem]; if (actionItem instanceof BaseActionItem) { var context = (actionItem._context === null || actionItem._context === undefined) ? event : actionItem._context; this.run(actionItem._action, context); } }; ActionBar.prototype.cancel = function () { if (document.activeElement instanceof HTMLElement) { document.activeElement.blur(); // remove focus from focused action } this._onDidCancel.fire(); }; ActionBar.prototype.run = function (action, context) { return this._actionRunner.run(action, context); }; ActionBar.prototype.dispose = function () { Object(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["d" /* dispose */])(this.items); this.items = []; __WEBPACK_IMPORTED_MODULE_5__dom_js__["F" /* removeNode */](this.getContainer()); _super.prototype.dispose.call(this); }; return ActionBar; }(__WEBPACK_IMPORTED_MODULE_3__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1716: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return StaticServices; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DynamicStandaloneServices; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__browser_services_bulkEditService_js__ = __webpack_require__(2036); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__browser_services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_services_editorWorkerService_js__ = __webpack_require__(1443); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_services_editorWorkerServiceImpl_js__ = __webpack_require__(1686); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_services_modeService_js__ = __webpack_require__(2037); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_services_modeServiceImpl_js__ = __webpack_require__(2038); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_services_modelService_js__ = __webpack_require__(1393); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_services_modelServiceImpl_js__ = __webpack_require__(2042); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_services_resourceConfiguration_js__ = __webpack_require__(1568); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__ = __webpack_require__(1571); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__standaloneCodeServiceImpl_js__ = __webpack_require__(2043); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__standaloneThemeServiceImpl_js__ = __webpack_require__(2046); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_standaloneThemeService_js__ = __webpack_require__(1581); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__platform_actions_common_actions_js__ = __webpack_require__(1447); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__platform_commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__platform_configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__platform_contextkey_browser_contextKeyService_js__ = __webpack_require__(2049); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__platform_contextview_browser_contextMenuService_js__ = __webpack_require__(2050); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__platform_contextview_browser_contextView_js__ = __webpack_require__(1455); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__platform_contextview_browser_contextViewService_js__ = __webpack_require__(2057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__platform_dialogs_common_dialogs_js__ = __webpack_require__(2061); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__platform_instantiation_common_instantiationService_js__ = __webpack_require__(2062); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_25__platform_instantiation_common_serviceCollection_js__ = __webpack_require__(1453); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__platform_keybinding_common_keybinding_js__ = __webpack_require__(1400); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_27__platform_label_common_label_js__ = __webpack_require__(2065); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_28__platform_list_browser_listService_js__ = __webpack_require__(2066); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_29__platform_log_common_log_js__ = __webpack_require__(1718); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_30__platform_markers_common_markerService_js__ = __webpack_require__(2078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_31__platform_markers_common_markers_js__ = __webpack_require__(1585); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_32__platform_notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_33__platform_progress_common_progress_js__ = __webpack_require__(2079); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_34__platform_storage_common_storage_js__ = __webpack_require__(1726); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_35__platform_telemetry_common_telemetry_js__ = __webpack_require__(1448); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_36__platform_theme_common_themeService_js__ = __webpack_require__(937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_37__platform_workspace_common_workspace_js__ = __webpack_require__(1695); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_38__platform_actions_common_menuService_js__ = __webpack_require__(2080); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_39__common_services_markersDecorationService_js__ = __webpack_require__(2081); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_40__common_services_markerDecorationsServiceImpl_js__ = __webpack_require__(2082); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_41__contrib_suggest_suggestMemory_js__ = __webpack_require__(2083); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_42__platform_accessibility_common_accessibility_js__ = __webpack_require__(1454); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var StaticServices; (function (StaticServices) { var _serviceCollection = new __WEBPACK_IMPORTED_MODULE_25__platform_instantiation_common_serviceCollection_js__["a" /* ServiceCollection */](); var LazyStaticService = /** @class */ (function () { function LazyStaticService(serviceId, factory) { this._serviceId = serviceId; this._factory = factory; this._value = null; } Object.defineProperty(LazyStaticService.prototype, "id", { get: function () { return this._serviceId; }, enumerable: true, configurable: true }); LazyStaticService.prototype.get = function (overrides) { if (!this._value) { if (overrides) { this._value = overrides[this._serviceId.toString()]; } if (!this._value) { this._value = this._factory(overrides); } if (!this._value) { throw new Error('Service ' + this._serviceId + ' is missing!'); } _serviceCollection.set(this._serviceId, this._value); } return this._value; }; return LazyStaticService; }()); StaticServices.LazyStaticService = LazyStaticService; var _all = []; function define(serviceId, factory) { var r = new LazyStaticService(serviceId, factory); _all.push(r); return r; } function init(overrides) { // Create a fresh service collection var result = new __WEBPACK_IMPORTED_MODULE_25__platform_instantiation_common_serviceCollection_js__["a" /* ServiceCollection */](); // Initialize the service collection with the overrides for (var serviceId in overrides) { if (overrides.hasOwnProperty(serviceId)) { result.set(Object(__WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])(serviceId), overrides[serviceId]); } } // Make sure the same static services are present in all service collections _all.forEach(function (service) { return result.set(service.id, service.get(overrides)); }); // Ensure the collection gets the correct instantiation service var instantiationService = new __WEBPACK_IMPORTED_MODULE_24__platform_instantiation_common_instantiationService_js__["a" /* InstantiationService */](result, true); result.set(__WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */], instantiationService); return [result, instantiationService]; } StaticServices.init = init; StaticServices.instantiationService = define(__WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */], function () { return new __WEBPACK_IMPORTED_MODULE_24__platform_instantiation_common_instantiationService_js__["a" /* InstantiationService */](_serviceCollection, true); }); var configurationServiceImpl = new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["c" /* SimpleConfigurationService */](); StaticServices.configurationService = define(__WEBPACK_IMPORTED_MODULE_16__platform_configuration_common_configuration_js__["a" /* IConfigurationService */], function () { return configurationServiceImpl; }); StaticServices.resourceConfigurationService = define(__WEBPACK_IMPORTED_MODULE_9__common_services_resourceConfiguration_js__["a" /* ITextResourceConfigurationService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["h" /* SimpleResourceConfigurationService */](configurationServiceImpl); }); StaticServices.resourcePropertiesService = define(__WEBPACK_IMPORTED_MODULE_9__common_services_resourceConfiguration_js__["b" /* ITextResourcePropertiesService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["i" /* SimpleResourcePropertiesService */](configurationServiceImpl); }); StaticServices.contextService = define(__WEBPACK_IMPORTED_MODULE_37__platform_workspace_common_workspace_js__["a" /* IWorkspaceContextService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["k" /* SimpleWorkspaceContextService */](); }); StaticServices.labelService = define(__WEBPACK_IMPORTED_MODULE_27__platform_label_common_label_js__["a" /* ILabelService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["j" /* SimpleUriLabelService */](); }); StaticServices.telemetryService = define(__WEBPACK_IMPORTED_MODULE_35__platform_telemetry_common_telemetry_js__["a" /* ITelemetryService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["n" /* StandaloneTelemetryService */](); }); StaticServices.dialogService = define(__WEBPACK_IMPORTED_MODULE_22__platform_dialogs_common_dialogs_js__["a" /* IDialogService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["d" /* SimpleDialogService */](); }); StaticServices.notificationService = define(__WEBPACK_IMPORTED_MODULE_32__platform_notification_common_notification_js__["a" /* INotificationService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["f" /* SimpleNotificationService */](); }); StaticServices.accessibilityService = define(__WEBPACK_IMPORTED_MODULE_42__platform_accessibility_common_accessibility_js__["a" /* IAccessibilityService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["a" /* BrowserAccessibilityService */](); }); StaticServices.markerService = define(__WEBPACK_IMPORTED_MODULE_31__platform_markers_common_markers_js__["a" /* IMarkerService */], function () { return new __WEBPACK_IMPORTED_MODULE_30__platform_markers_common_markerService_js__["a" /* MarkerService */](); }); StaticServices.modeService = define(__WEBPACK_IMPORTED_MODULE_5__common_services_modeService_js__["a" /* IModeService */], function (o) { return new __WEBPACK_IMPORTED_MODULE_6__common_services_modeServiceImpl_js__["a" /* ModeServiceImpl */](); }); StaticServices.modelService = define(__WEBPACK_IMPORTED_MODULE_7__common_services_modelService_js__["a" /* IModelService */], function (o) { return new __WEBPACK_IMPORTED_MODULE_8__common_services_modelServiceImpl_js__["a" /* ModelServiceImpl */](StaticServices.configurationService.get(o), StaticServices.resourcePropertiesService.get(o)); }); StaticServices.markerDecorationsService = define(__WEBPACK_IMPORTED_MODULE_39__common_services_markersDecorationService_js__["a" /* IMarkerDecorationsService */], function (o) { return new __WEBPACK_IMPORTED_MODULE_40__common_services_markerDecorationsServiceImpl_js__["a" /* MarkerDecorationsService */](StaticServices.modelService.get(o), StaticServices.markerService.get(o)); }); StaticServices.editorWorkerService = define(__WEBPACK_IMPORTED_MODULE_3__common_services_editorWorkerService_js__["a" /* IEditorWorkerService */], function (o) { return new __WEBPACK_IMPORTED_MODULE_4__common_services_editorWorkerServiceImpl_js__["b" /* EditorWorkerServiceImpl */](StaticServices.modelService.get(o), StaticServices.resourceConfigurationService.get(o)); }); StaticServices.standaloneThemeService = define(__WEBPACK_IMPORTED_MODULE_13__common_standaloneThemeService_js__["a" /* IStandaloneThemeService */], function () { return new __WEBPACK_IMPORTED_MODULE_12__standaloneThemeServiceImpl_js__["a" /* StandaloneThemeServiceImpl */](); }); StaticServices.codeEditorService = define(__WEBPACK_IMPORTED_MODULE_2__browser_services_codeEditorService_js__["a" /* ICodeEditorService */], function (o) { return new __WEBPACK_IMPORTED_MODULE_11__standaloneCodeServiceImpl_js__["a" /* StandaloneCodeEditorServiceImpl */](StaticServices.standaloneThemeService.get(o)); }); StaticServices.progressService = define(__WEBPACK_IMPORTED_MODULE_33__platform_progress_common_progress_js__["a" /* IProgressService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["g" /* SimpleProgressService */](); }); StaticServices.storageService = define(__WEBPACK_IMPORTED_MODULE_34__platform_storage_common_storage_js__["a" /* IStorageService */], function () { return new __WEBPACK_IMPORTED_MODULE_34__platform_storage_common_storage_js__["b" /* InMemoryStorageService */](); }); StaticServices.logService = define(__WEBPACK_IMPORTED_MODULE_29__platform_log_common_log_js__["a" /* ILogService */], function () { return new __WEBPACK_IMPORTED_MODULE_29__platform_log_common_log_js__["b" /* NullLogService */](); }); StaticServices.suggestMemoryService = define(__WEBPACK_IMPORTED_MODULE_41__contrib_suggest_suggestMemory_js__["a" /* ISuggestMemoryService */], function (o) { return new __WEBPACK_IMPORTED_MODULE_41__contrib_suggest_suggestMemory_js__["b" /* SuggestMemoryService */](StaticServices.storageService.get(o), StaticServices.configurationService.get(o)); }); })(StaticServices || (StaticServices = {})); var DynamicStandaloneServices = /** @class */ (function (_super) { __extends(DynamicStandaloneServices, _super); function DynamicStandaloneServices(domElement, overrides) { var _this = _super.call(this) || this; var _a = StaticServices.init(overrides), _serviceCollection = _a[0], _instantiationService = _a[1]; _this._serviceCollection = _serviceCollection; _this._instantiationService = _instantiationService; var configurationService = _this.get(__WEBPACK_IMPORTED_MODULE_16__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]); var notificationService = _this.get(__WEBPACK_IMPORTED_MODULE_32__platform_notification_common_notification_js__["a" /* INotificationService */]); var telemetryService = _this.get(__WEBPACK_IMPORTED_MODULE_35__platform_telemetry_common_telemetry_js__["a" /* ITelemetryService */]); var themeService = _this.get(__WEBPACK_IMPORTED_MODULE_36__platform_theme_common_themeService_js__["c" /* IThemeService */]); var ensure = function (serviceId, factory) { var value = null; if (overrides) { value = overrides[serviceId.toString()]; } if (!value) { value = factory(); } _this._serviceCollection.set(serviceId, value); return value; }; var contextKeyService = ensure(__WEBPACK_IMPORTED_MODULE_18__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */], function () { return _this._register(new __WEBPACK_IMPORTED_MODULE_17__platform_contextkey_browser_contextKeyService_js__["a" /* ContextKeyService */](configurationService)); }); ensure(__WEBPACK_IMPORTED_MODULE_28__platform_list_browser_listService_js__["a" /* IListService */], function () { return new __WEBPACK_IMPORTED_MODULE_28__platform_list_browser_listService_js__["b" /* ListService */](contextKeyService); }); var commandService = ensure(__WEBPACK_IMPORTED_MODULE_15__platform_commands_common_commands_js__["b" /* ICommandService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["l" /* StandaloneCommandService */](_this._instantiationService); }); var keybindingService = ensure(__WEBPACK_IMPORTED_MODULE_26__platform_keybinding_common_keybinding_js__["a" /* IKeybindingService */], function () { return _this._register(new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["m" /* StandaloneKeybindingService */](contextKeyService, commandService, telemetryService, notificationService, domElement)); }); var contextViewService = ensure(__WEBPACK_IMPORTED_MODULE_20__platform_contextview_browser_contextView_js__["b" /* IContextViewService */], function () { return _this._register(new __WEBPACK_IMPORTED_MODULE_21__platform_contextview_browser_contextViewService_js__["a" /* ContextViewService */](domElement, telemetryService, new __WEBPACK_IMPORTED_MODULE_29__platform_log_common_log_js__["b" /* NullLogService */]())); }); ensure(__WEBPACK_IMPORTED_MODULE_20__platform_contextview_browser_contextView_js__["a" /* IContextMenuService */], function () { return _this._register(new __WEBPACK_IMPORTED_MODULE_19__platform_contextview_browser_contextMenuService_js__["a" /* ContextMenuService */](domElement, false, telemetryService, notificationService, contextViewService, keybindingService, themeService)); }); ensure(__WEBPACK_IMPORTED_MODULE_14__platform_actions_common_actions_js__["a" /* IMenuService */], function () { return new __WEBPACK_IMPORTED_MODULE_38__platform_actions_common_menuService_js__["a" /* MenuService */](commandService); }); ensure(__WEBPACK_IMPORTED_MODULE_1__browser_services_bulkEditService_js__["a" /* IBulkEditService */], function () { return new __WEBPACK_IMPORTED_MODULE_10__simpleServices_js__["b" /* SimpleBulkEditService */](StaticServices.modelService.get(__WEBPACK_IMPORTED_MODULE_7__common_services_modelService_js__["a" /* IModelService */])); }); return _this; } DynamicStandaloneServices.prototype.get = function (serviceId) { var r = this._serviceCollection.get(serviceId); if (!r) { throw new Error('Missing service ' + serviceId); } return r; }; DynamicStandaloneServices.prototype.set = function (serviceId, instance) { this._serviceCollection.set(serviceId, instance); }; DynamicStandaloneServices.prototype.has = function (serviceId) { return this._serviceCollection.has(serviceId); }; return DynamicStandaloneServices; }(__WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1717: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["c"] = computeStyles; /* unused harmony export attachStyler */ /* unused harmony export attachBadgeStyler */ /* unused harmony export attachQuickOpenStyler */ /* harmony export (immutable) */ __webpack_exports__["a"] = attachListStyler; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return defaultListStyles; }); /* unused harmony export defaultMenuStyles */ /* harmony export (immutable) */ __webpack_exports__["b"] = attachMenuStyler; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_objects_js__ = __webpack_require__(1288); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; function computeStyles(theme, styleMap) { var styles = Object.create(null); for (var key in styleMap) { var value = styleMap[key]; if (typeof value === 'string') { styles[key] = theme.getColor(value); } else if (typeof value === 'function') { styles[key] = value(theme); } } return styles; } function attachStyler(themeService, styleMap, widgetOrCallback) { function applyStyles(theme) { var styles = computeStyles(themeService.getTheme(), styleMap); if (typeof widgetOrCallback === 'function') { widgetOrCallback(styles); } else { widgetOrCallback.style(styles); } } applyStyles(themeService.getTheme()); return themeService.onThemeChange(applyStyles); } function attachBadgeStyler(widget, themeService, style) { return attachStyler(themeService, { badgeBackground: (style && style.badgeBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["c" /* badgeBackground */], badgeForeground: (style && style.badgeForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["d" /* badgeForeground */], badgeBorder: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["e" /* contrastBorder */] }, widget); } function attachQuickOpenStyler(widget, themeService, style) { return attachStyler(themeService, { foreground: (style && style.foreground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["t" /* foreground */], background: (style && style.background) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["n" /* editorBackground */], borderColor: style && style.borderColor || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["e" /* contrastBorder */], widgetShadow: style && style.widgetShadow || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["_8" /* widgetShadow */], progressBarBackground: style && style.progressBarBackground || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["_2" /* progressBarBackground */], pickerGroupForeground: style && style.pickerGroupForeground || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["_1" /* pickerGroupForeground */], pickerGroupBorder: style && style.pickerGroupBorder || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["_0" /* pickerGroupBorder */], inputBackground: (style && style.inputBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["u" /* inputBackground */], inputForeground: (style && style.inputForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["w" /* inputForeground */], inputBorder: (style && style.inputBorder) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["v" /* inputBorder */], inputValidationInfoBorder: (style && style.inputValidationInfoBorder) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["B" /* inputValidationInfoBorder */], inputValidationInfoBackground: (style && style.inputValidationInfoBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["A" /* inputValidationInfoBackground */], inputValidationInfoForeground: (style && style.inputValidationInfoForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["C" /* inputValidationInfoForeground */], inputValidationWarningBorder: (style && style.inputValidationWarningBorder) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["E" /* inputValidationWarningBorder */], inputValidationWarningBackground: (style && style.inputValidationWarningBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["D" /* inputValidationWarningBackground */], inputValidationWarningForeground: (style && style.inputValidationWarningForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["F" /* inputValidationWarningForeground */], inputValidationErrorBorder: (style && style.inputValidationErrorBorder) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["y" /* inputValidationErrorBorder */], inputValidationErrorBackground: (style && style.inputValidationErrorBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["x" /* inputValidationErrorBackground */], inputValidationErrorForeground: (style && style.inputValidationErrorForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["z" /* inputValidationErrorForeground */], listFocusBackground: (style && style.listFocusBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["M" /* listFocusBackground */], listFocusForeground: (style && style.listFocusForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["N" /* listFocusForeground */], listActiveSelectionBackground: (style && style.listActiveSelectionBackground) || Object(__WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["f" /* darken */])(__WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["G" /* listActiveSelectionBackground */], 0.1), listActiveSelectionForeground: (style && style.listActiveSelectionForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["H" /* listActiveSelectionForeground */], listFocusAndSelectionBackground: style && style.listFocusAndSelectionBackground || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["G" /* listActiveSelectionBackground */], listFocusAndSelectionForeground: (style && style.listFocusAndSelectionForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["H" /* listActiveSelectionForeground */], listInactiveSelectionBackground: (style && style.listInactiveSelectionBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["R" /* listInactiveSelectionBackground */], listInactiveSelectionForeground: (style && style.listInactiveSelectionForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["S" /* listInactiveSelectionForeground */], listInactiveFocusBackground: (style && style.listInactiveFocusBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["Q" /* listInactiveFocusBackground */], listHoverBackground: (style && style.listHoverBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["O" /* listHoverBackground */], listHoverForeground: (style && style.listHoverForeground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["P" /* listHoverForeground */], listDropBackground: (style && style.listDropBackground) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["I" /* listDropBackground */], listFocusOutline: (style && style.listFocusOutline) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["b" /* activeContrastBorder */], listSelectionOutline: (style && style.listSelectionOutline) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["b" /* activeContrastBorder */], listHoverOutline: (style && style.listHoverOutline) || __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["b" /* activeContrastBorder */] }, widget); } function attachListStyler(widget, themeService, overrides) { return attachStyler(themeService, Object(__WEBPACK_IMPORTED_MODULE_1__base_common_objects_js__["f" /* mixin */])(overrides || Object.create(null), defaultListStyles, false), widget); } var defaultListStyles = { listFocusBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["M" /* listFocusBackground */], listFocusForeground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["N" /* listFocusForeground */], listActiveSelectionBackground: Object(__WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["f" /* darken */])(__WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["G" /* listActiveSelectionBackground */], 0.1), listActiveSelectionForeground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["H" /* listActiveSelectionForeground */], listFocusAndSelectionBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["G" /* listActiveSelectionBackground */], listFocusAndSelectionForeground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["H" /* listActiveSelectionForeground */], listInactiveSelectionBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["R" /* listInactiveSelectionBackground */], listInactiveSelectionForeground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["S" /* listInactiveSelectionForeground */], listInactiveFocusBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["Q" /* listInactiveFocusBackground */], listHoverBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["O" /* listHoverBackground */], listHoverForeground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["P" /* listHoverForeground */], listDropBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["I" /* listDropBackground */], listFocusOutline: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["b" /* activeContrastBorder */], listSelectionOutline: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["b" /* activeContrastBorder */], listHoverOutline: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["b" /* activeContrastBorder */], listFilterWidgetBackground: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["J" /* listFilterWidgetBackground */], listFilterWidgetOutline: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["L" /* listFilterWidgetOutline */], listFilterWidgetNoMatchesOutline: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["K" /* listFilterWidgetNoMatchesOutline */], listMatchesShadow: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["_8" /* widgetShadow */] }; var defaultMenuStyles = { shadowColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["_8" /* widgetShadow */], borderColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["U" /* menuBorder */], foregroundColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["V" /* menuForeground */], backgroundColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["T" /* menuBackground */], selectionForegroundColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["Y" /* menuSelectionForeground */], selectionBackgroundColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["W" /* menuSelectionBackground */], selectionBorderColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["X" /* menuSelectionBorder */], separatorColor: __WEBPACK_IMPORTED_MODULE_0__colorRegistry_js__["Z" /* menuSeparatorBackground */] }; function attachMenuStyler(widget, themeService, style) { return attachStyler(themeService, __assign({}, defaultMenuStyles, style), widget); } /***/ }), /***/ 1718: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ILogService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return NullLogService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ILogService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('logService'); var NullLogService = /** @class */ (function () { function NullLogService() { } NullLogService.prototype.trace = function (message) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } }; NullLogService.prototype.error = function (message) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } }; NullLogService.prototype.dispose = function () { }; return NullLogService; }()); /***/ }), /***/ 1719: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return SyncDescriptor; }); var SyncDescriptor = /** @class */ (function () { function SyncDescriptor(ctor, staticArguments, supportsDelayedInstantiation) { if (staticArguments === void 0) { staticArguments = []; } if (supportsDelayedInstantiation === void 0) { supportsDelayedInstantiation = false; } this.ctor = ctor; this.staticArguments = staticArguments; this.supportsDelayedInstantiation = supportsDelayedInstantiation; } return SyncDescriptor; }()); /***/ }), /***/ 1720: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["f"] = mightProducePrintableCharacter; /* harmony export (immutable) */ __webpack_exports__["e"] = isSelectionSingleChangeEvent; /* harmony export (immutable) */ __webpack_exports__["d"] = isSelectionRangeChangeEvent; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return MouseController; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DefaultStyleController; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return List; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__list_css__ = __webpack_require__(2067); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__list_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__list_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_decorators_js__ = __webpack_require__(1574); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__touch_js__ = __webpack_require__(1397); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__event_js__ = __webpack_require__(1357); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__list_js__ = __webpack_require__(2069); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__listView_js__ = __webpack_require__(1584); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_color_js__ = __webpack_require__(1331); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__splice_js__ = __webpack_require__(2072); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__common_numbers_js__ = __webpack_require__(1722); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__common_filters_js__ = __webpack_require__(1723); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var TraitRenderer = /** @class */ (function () { function TraitRenderer(trait) { this.trait = trait; this.renderedElements = []; } Object.defineProperty(TraitRenderer.prototype, "templateId", { get: function () { return "template:" + this.trait.trait; }, enumerable: true, configurable: true }); TraitRenderer.prototype.renderTemplate = function (container) { return container; }; TraitRenderer.prototype.renderElement = function (element, index, templateData) { var renderedElementIndex = Object(__WEBPACK_IMPORTED_MODULE_4__common_arrays_js__["f" /* firstIndex */])(this.renderedElements, function (el) { return el.templateData === templateData; }); if (renderedElementIndex >= 0) { var rendered = this.renderedElements[renderedElementIndex]; this.trait.unrender(templateData); rendered.index = index; } else { var rendered = { index: index, templateData: templateData }; this.renderedElements.push(rendered); } this.trait.renderIndex(index, templateData); }; TraitRenderer.prototype.splice = function (start, deleteCount, insertCount) { var rendered = []; for (var _i = 0, _a = this.renderedElements; _i < _a.length; _i++) { var renderedElement = _a[_i]; if (renderedElement.index < start) { rendered.push(renderedElement); } else if (renderedElement.index >= start + deleteCount) { rendered.push({ index: renderedElement.index + insertCount - deleteCount, templateData: renderedElement.templateData }); } } this.renderedElements = rendered; }; TraitRenderer.prototype.renderIndexes = function (indexes) { for (var _i = 0, _a = this.renderedElements; _i < _a.length; _i++) { var _b = _a[_i], index = _b.index, templateData = _b.templateData; if (indexes.indexOf(index) > -1) { this.trait.renderIndex(index, templateData); } } }; TraitRenderer.prototype.disposeTemplate = function (templateData) { var index = Object(__WEBPACK_IMPORTED_MODULE_4__common_arrays_js__["f" /* firstIndex */])(this.renderedElements, function (el) { return el.templateData === templateData; }); if (index < 0) { return; } this.renderedElements.splice(index, 1); }; return TraitRenderer; }()); var Trait = /** @class */ (function () { function Trait(_trait) { this._trait = _trait; this._onChange = new __WEBPACK_IMPORTED_MODULE_10__common_event_js__["a" /* Emitter */](); this.indexes = []; } Object.defineProperty(Trait.prototype, "onChange", { get: function () { return this._onChange.event; }, enumerable: true, configurable: true }); Object.defineProperty(Trait.prototype, "trait", { get: function () { return this._trait; }, enumerable: true, configurable: true }); Object.defineProperty(Trait.prototype, "renderer", { get: function () { return new TraitRenderer(this); }, enumerable: true, configurable: true }); Trait.prototype.splice = function (start, deleteCount, elements) { var diff = elements.length - deleteCount; var end = start + deleteCount; var indexes = this.indexes.filter(function (i) { return i < start; }).concat(elements.map(function (hasTrait, i) { return hasTrait ? i + start : -1; }).filter(function (i) { return i !== -1; }), this.indexes.filter(function (i) { return i >= end; }).map(function (i) { return i + diff; })); this.renderer.splice(start, deleteCount, elements.length); this.set(indexes); }; Trait.prototype.renderIndex = function (index, container) { __WEBPACK_IMPORTED_MODULE_6__dom_js__["M" /* toggleClass */](container, this._trait, this.contains(index)); }; Trait.prototype.unrender = function (container) { __WEBPACK_IMPORTED_MODULE_6__dom_js__["D" /* removeClass */](container, this._trait); }; /** * Sets the indexes which should have this trait. * * @param indexes Indexes which should have this trait. * @return The old indexes which had this trait. */ Trait.prototype.set = function (indexes, browserEvent) { var result = this.indexes; this.indexes = indexes; var toRender = disjunction(result, indexes); this.renderer.renderIndexes(toRender); this._onChange.fire({ indexes: indexes, browserEvent: browserEvent }); return result; }; Trait.prototype.get = function () { return this.indexes; }; Trait.prototype.contains = function (index) { return this.indexes.some(function (i) { return i === index; }); }; Trait.prototype.dispose = function () { this._onChange = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this._onChange); }; __decorate([ __WEBPACK_IMPORTED_MODULE_5__common_decorators_js__["a" /* memoize */] ], Trait.prototype, "renderer", null); return Trait; }()); var FocusTrait = /** @class */ (function (_super) { __extends(FocusTrait, _super); function FocusTrait() { return _super.call(this, 'focused') || this; } FocusTrait.prototype.renderIndex = function (index, container) { _super.prototype.renderIndex.call(this, index, container); if (this.contains(index)) { container.setAttribute('aria-selected', 'true'); } else { container.removeAttribute('aria-selected'); } }; return FocusTrait; }(Trait)); /** * The TraitSpliceable is used as a util class to be able * to preserve traits across splice calls, given an identity * provider. */ var TraitSpliceable = /** @class */ (function () { function TraitSpliceable(trait, view, identityProvider) { this.trait = trait; this.view = view; this.identityProvider = identityProvider; } TraitSpliceable.prototype.splice = function (start, deleteCount, elements) { var _this = this; if (!this.identityProvider) { return this.trait.splice(start, deleteCount, elements.map(function () { return false; })); } var pastElementsWithTrait = this.trait.get().map(function (i) { return _this.identityProvider.getId(_this.view.element(i)).toString(); }); var elementsWithTrait = elements.map(function (e) { return pastElementsWithTrait.indexOf(_this.identityProvider.getId(e).toString()) > -1; }); this.trait.splice(start, deleteCount, elementsWithTrait); }; return TraitSpliceable; }()); function isInputElement(e) { return e.tagName === 'INPUT' || e.tagName === 'TEXTAREA'; } var KeyboardController = /** @class */ (function () { function KeyboardController(list, view, options) { this.list = list; this.view = view; var multipleSelectionSupport = !(options.multipleSelectionSupport === false); this.disposables = []; this.openController = options.openController || DefaultOpenController; var onKeyDown = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].chain(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(view.domNode, 'keydown')) .filter(function (e) { return !isInputElement(e.target); }) .map(function (e) { return new __WEBPACK_IMPORTED_MODULE_9__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); }); onKeyDown.filter(function (e) { return e.keyCode === 3 /* Enter */; }).on(this.onEnter, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 16 /* UpArrow */; }).on(this.onUpArrow, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 18 /* DownArrow */; }).on(this.onDownArrow, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 11 /* PageUp */; }).on(this.onPageUpArrow, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 12 /* PageDown */; }).on(this.onPageDownArrow, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 9 /* Escape */; }).on(this.onEscape, this, this.disposables); if (multipleSelectionSupport) { onKeyDown.filter(function (e) { return (__WEBPACK_IMPORTED_MODULE_7__common_platform_js__["d" /* isMacintosh */] ? e.metaKey : e.ctrlKey) && e.keyCode === 31 /* KEY_A */; }).on(this.onCtrlA, this, this.disposables); } } KeyboardController.prototype.onEnter = function (e) { e.preventDefault(); e.stopPropagation(); this.list.setSelection(this.list.getFocus(), e.browserEvent); if (this.openController.shouldOpen(e.browserEvent)) { this.list.open(this.list.getFocus(), e.browserEvent); } }; KeyboardController.prototype.onUpArrow = function (e) { e.preventDefault(); e.stopPropagation(); this.list.focusPrevious(1, false, e.browserEvent); this.list.reveal(this.list.getFocus()[0]); this.view.domNode.focus(); }; KeyboardController.prototype.onDownArrow = function (e) { e.preventDefault(); e.stopPropagation(); this.list.focusNext(1, false, e.browserEvent); this.list.reveal(this.list.getFocus()[0]); this.view.domNode.focus(); }; KeyboardController.prototype.onPageUpArrow = function (e) { e.preventDefault(); e.stopPropagation(); this.list.focusPreviousPage(e.browserEvent); this.list.reveal(this.list.getFocus()[0]); this.view.domNode.focus(); }; KeyboardController.prototype.onPageDownArrow = function (e) { e.preventDefault(); e.stopPropagation(); this.list.focusNextPage(e.browserEvent); this.list.reveal(this.list.getFocus()[0]); this.view.domNode.focus(); }; KeyboardController.prototype.onCtrlA = function (e) { e.preventDefault(); e.stopPropagation(); this.list.setSelection(Object(__WEBPACK_IMPORTED_MODULE_4__common_arrays_js__["i" /* range */])(this.list.length), e.browserEvent); this.view.domNode.focus(); }; KeyboardController.prototype.onEscape = function (e) { e.preventDefault(); e.stopPropagation(); this.list.setSelection([], e.browserEvent); this.view.domNode.focus(); }; KeyboardController.prototype.dispose = function () { this.disposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return KeyboardController; }()); var TypeLabelControllerState; (function (TypeLabelControllerState) { TypeLabelControllerState[TypeLabelControllerState["Idle"] = 0] = "Idle"; TypeLabelControllerState[TypeLabelControllerState["Typing"] = 1] = "Typing"; })(TypeLabelControllerState || (TypeLabelControllerState = {})); function mightProducePrintableCharacter(event) { if (event.ctrlKey || event.metaKey || event.altKey) { return false; } return (event.keyCode >= 31 /* KEY_A */ && event.keyCode <= 56 /* KEY_Z */) || (event.keyCode >= 21 /* KEY_0 */ && event.keyCode <= 30 /* KEY_9 */) || (event.keyCode >= 80 /* US_SEMICOLON */ && event.keyCode <= 90 /* US_QUOTE */); } var TypeLabelController = /** @class */ (function () { function TypeLabelController(list, view, keyboardNavigationLabelProvider) { this.list = list; this.view = view; this.keyboardNavigationLabelProvider = keyboardNavigationLabelProvider; this.enabled = false; this.state = TypeLabelControllerState.Idle; this.automaticKeyboardNavigation = true; this.triggered = false; this.enabledDisposables = []; this.disposables = []; this.updateOptions(list.options); } TypeLabelController.prototype.updateOptions = function (options) { var enableKeyboardNavigation = typeof options.enableKeyboardNavigation === 'undefined' ? true : !!options.enableKeyboardNavigation; if (enableKeyboardNavigation) { this.enable(); } else { this.disable(); } if (typeof options.automaticKeyboardNavigation !== 'undefined') { this.automaticKeyboardNavigation = options.automaticKeyboardNavigation; } }; TypeLabelController.prototype.enable = function () { var _this = this; if (this.enabled) { return; } var onChar = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].chain(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(this.view.domNode, 'keydown')) .filter(function (e) { return !isInputElement(e.target); }) .filter(function () { return _this.automaticKeyboardNavigation || _this.triggered; }) .map(function (event) { return new __WEBPACK_IMPORTED_MODULE_9__keyboardEvent_js__["a" /* StandardKeyboardEvent */](event); }) .filter(this.keyboardNavigationLabelProvider.mightProducePrintableCharacter ? function (e) { return _this.keyboardNavigationLabelProvider.mightProducePrintableCharacter(e); } : function (e) { return mightProducePrintableCharacter(e); }) .forEach(function (e) { e.stopPropagation(); e.preventDefault(); }) .map(function (event) { return event.browserEvent.key; }) .event; var onClear = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].debounce(onChar, function () { return null; }, 800); var onInput = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].reduce(__WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].any(onChar, onClear), function (r, i) { return i === null ? null : ((r || '') + i); }); onInput(this.onInput, this, this.enabledDisposables); this.enabled = true; this.triggered = false; }; TypeLabelController.prototype.disable = function () { if (!this.enabled) { return; } this.enabledDisposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.enabledDisposables); this.enabled = false; this.triggered = false; }; TypeLabelController.prototype.onInput = function (word) { if (!word) { this.state = TypeLabelControllerState.Idle; this.triggered = false; return; } var focus = this.list.getFocus(); var start = focus.length > 0 ? focus[0] : 0; var delta = this.state === TypeLabelControllerState.Idle ? 1 : 0; this.state = TypeLabelControllerState.Typing; for (var i = 0; i < this.list.length; i++) { var index = (start + i + delta) % this.list.length; var label = this.keyboardNavigationLabelProvider.getKeyboardNavigationLabel(this.view.element(index)); var labelStr = label && label.toString(); if (typeof labelStr === 'undefined' || Object(__WEBPACK_IMPORTED_MODULE_18__common_filters_js__["c" /* matchesPrefix */])(word, labelStr)) { this.list.setFocus([index]); this.list.reveal(index); return; } } }; TypeLabelController.prototype.dispose = function () { this.disable(); this.disposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return TypeLabelController; }()); var DOMFocusController = /** @class */ (function () { function DOMFocusController(list, view) { this.list = list; this.view = view; this.disposables = []; this.disposables = []; var onKeyDown = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].chain(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(view.domNode, 'keydown')) .filter(function (e) { return !isInputElement(e.target); }) .map(function (e) { return new __WEBPACK_IMPORTED_MODULE_9__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); }); onKeyDown.filter(function (e) { return e.keyCode === 2 /* Tab */ && !e.ctrlKey && !e.metaKey && !e.shiftKey && !e.altKey; }) .on(this.onTab, this, this.disposables); } DOMFocusController.prototype.onTab = function (e) { if (e.target !== this.view.domNode) { return; } var focus = this.list.getFocus(); if (focus.length === 0) { return; } var focusedDomElement = this.view.domElement(focus[0]); if (!focusedDomElement) { return; } var tabIndexElement = focusedDomElement.querySelector('[tabIndex]'); if (!tabIndexElement || !(tabIndexElement instanceof HTMLElement) || tabIndexElement.tabIndex === -1) { return; } var style = window.getComputedStyle(tabIndexElement); if (style.visibility === 'hidden' || style.display === 'none') { return; } e.preventDefault(); e.stopPropagation(); tabIndexElement.focus(); }; DOMFocusController.prototype.dispose = function () { this.disposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return DOMFocusController; }()); function isSelectionSingleChangeEvent(event) { return __WEBPACK_IMPORTED_MODULE_7__common_platform_js__["d" /* isMacintosh */] ? event.browserEvent.metaKey : event.browserEvent.ctrlKey; } function isSelectionRangeChangeEvent(event) { return event.browserEvent.shiftKey; } function isMouseRightClick(event) { return event instanceof MouseEvent && event.button === 2; } var DefaultMultipleSelectionContoller = { isSelectionSingleChangeEvent: isSelectionSingleChangeEvent, isSelectionRangeChangeEvent: isSelectionRangeChangeEvent }; var DefaultOpenController = { shouldOpen: function (event) { if (event instanceof MouseEvent) { return !isMouseRightClick(event); } return true; } }; var MouseController = /** @class */ (function () { function MouseController(list) { this.list = list; this.disposables = []; this.multipleSelectionSupport = !(list.options.multipleSelectionSupport === false); if (this.multipleSelectionSupport) { this.multipleSelectionController = list.options.multipleSelectionController || DefaultMultipleSelectionContoller; } this.openController = list.options.openController || DefaultOpenController; this.mouseSupport = typeof list.options.mouseSupport === 'undefined' || !!list.options.mouseSupport; if (this.mouseSupport) { list.onMouseDown(this.onMouseDown, this, this.disposables); list.onContextMenu(this.onContextMenu, this, this.disposables); list.onMouseDblClick(this.onDoubleClick, this, this.disposables); list.onTouchStart(this.onMouseDown, this, this.disposables); __WEBPACK_IMPORTED_MODULE_8__touch_js__["b" /* Gesture */].addTarget(list.getHTMLElement()); } list.onMouseClick(this.onPointer, this, this.disposables); list.onMouseMiddleClick(this.onPointer, this, this.disposables); list.onTap(this.onPointer, this, this.disposables); } MouseController.prototype.isSelectionSingleChangeEvent = function (event) { if (this.multipleSelectionController) { return this.multipleSelectionController.isSelectionSingleChangeEvent(event); } return __WEBPACK_IMPORTED_MODULE_7__common_platform_js__["d" /* isMacintosh */] ? event.browserEvent.metaKey : event.browserEvent.ctrlKey; }; MouseController.prototype.isSelectionRangeChangeEvent = function (event) { if (this.multipleSelectionController) { return this.multipleSelectionController.isSelectionRangeChangeEvent(event); } return event.browserEvent.shiftKey; }; MouseController.prototype.isSelectionChangeEvent = function (event) { return this.isSelectionSingleChangeEvent(event) || this.isSelectionRangeChangeEvent(event); }; MouseController.prototype.onMouseDown = function (e) { if (document.activeElement !== e.browserEvent.target) { this.list.domFocus(); } }; MouseController.prototype.onContextMenu = function (e) { var focus = typeof e.index === 'undefined' ? [] : [e.index]; this.list.setFocus(focus, e.browserEvent); }; MouseController.prototype.onPointer = function (e) { if (!this.mouseSupport) { return; } if (isInputElement(e.browserEvent.target)) { return; } var reference = this.list.getFocus()[0]; var selection = this.list.getSelection(); reference = reference === undefined ? selection[0] : reference; var focus = e.index; if (typeof focus === 'undefined') { this.list.setFocus([], e.browserEvent); this.list.setSelection([], e.browserEvent); return; } if (this.multipleSelectionSupport && this.isSelectionRangeChangeEvent(e)) { return this.changeSelection(e, reference); } if (this.multipleSelectionSupport && this.isSelectionChangeEvent(e)) { return this.changeSelection(e, reference); } this.list.setFocus([focus], e.browserEvent); if (!isMouseRightClick(e.browserEvent)) { this.list.setSelection([focus], e.browserEvent); if (this.openController.shouldOpen(e.browserEvent)) { this.list.open([focus], e.browserEvent); } } }; MouseController.prototype.onDoubleClick = function (e) { if (isInputElement(e.browserEvent.target)) { return; } if (this.multipleSelectionSupport && this.isSelectionChangeEvent(e)) { return; } var focus = this.list.getFocus(); this.list.setSelection(focus, e.browserEvent); this.list.pin(focus); }; MouseController.prototype.changeSelection = function (e, reference) { var focus = e.index; if (this.isSelectionRangeChangeEvent(e) && reference !== undefined) { var min = Math.min(reference, focus); var max = Math.max(reference, focus); var rangeSelection = Object(__WEBPACK_IMPORTED_MODULE_4__common_arrays_js__["i" /* range */])(min, max + 1); var selection = this.list.getSelection(); var contiguousRange = getContiguousRangeContaining(disjunction(selection, [reference]), reference); if (contiguousRange.length === 0) { return; } var newSelection = disjunction(rangeSelection, relativeComplement(selection, contiguousRange)); this.list.setSelection(newSelection, e.browserEvent); } else if (this.isSelectionSingleChangeEvent(e)) { var selection = this.list.getSelection(); var newSelection = selection.filter(function (i) { return i !== focus; }); if (selection.length === newSelection.length) { this.list.setSelection(newSelection.concat([focus]), e.browserEvent); } else { this.list.setSelection(newSelection, e.browserEvent); } } }; MouseController.prototype.dispose = function () { this.disposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return MouseController; }()); var DefaultStyleController = /** @class */ (function () { function DefaultStyleController(styleElement, selectorSuffix) { this.styleElement = styleElement; this.selectorSuffix = selectorSuffix; } DefaultStyleController.prototype.style = function (styles) { var suffix = this.selectorSuffix ? "." + this.selectorSuffix : ''; var content = []; if (styles.listFocusBackground) { content.push(".monaco-list" + suffix + ":focus .monaco-list-row.focused { background-color: " + styles.listFocusBackground + "; }"); content.push(".monaco-list" + suffix + ":focus .monaco-list-row.focused:hover { background-color: " + styles.listFocusBackground + "; }"); // overwrite :hover style in this case! } if (styles.listFocusForeground) { content.push(".monaco-list" + suffix + ":focus .monaco-list-row.focused { color: " + styles.listFocusForeground + "; }"); } if (styles.listActiveSelectionBackground) { content.push(".monaco-list" + suffix + ":focus .monaco-list-row.selected { background-color: " + styles.listActiveSelectionBackground + "; }"); content.push(".monaco-list" + suffix + ":focus .monaco-list-row.selected:hover { background-color: " + styles.listActiveSelectionBackground + "; }"); // overwrite :hover style in this case! } if (styles.listActiveSelectionForeground) { content.push(".monaco-list" + suffix + ":focus .monaco-list-row.selected { color: " + styles.listActiveSelectionForeground + "; }"); } if (styles.listFocusAndSelectionBackground) { content.push("\n\t\t\t\t.monaco-drag-image,\n\t\t\t\t.monaco-list" + suffix + ":focus .monaco-list-row.selected.focused { background-color: " + styles.listFocusAndSelectionBackground + "; }\n\t\t\t"); } if (styles.listFocusAndSelectionForeground) { content.push("\n\t\t\t\t.monaco-drag-image,\n\t\t\t\t.monaco-list" + suffix + ":focus .monaco-list-row.selected.focused { color: " + styles.listFocusAndSelectionForeground + "; }\n\t\t\t"); } if (styles.listInactiveFocusBackground) { content.push(".monaco-list" + suffix + " .monaco-list-row.focused { background-color: " + styles.listInactiveFocusBackground + "; }"); content.push(".monaco-list" + suffix + " .monaco-list-row.focused:hover { background-color: " + styles.listInactiveFocusBackground + "; }"); // overwrite :hover style in this case! } if (styles.listInactiveSelectionBackground) { content.push(".monaco-list" + suffix + " .monaco-list-row.selected { background-color: " + styles.listInactiveSelectionBackground + "; }"); content.push(".monaco-list" + suffix + " .monaco-list-row.selected:hover { background-color: " + styles.listInactiveSelectionBackground + "; }"); // overwrite :hover style in this case! } if (styles.listInactiveSelectionForeground) { content.push(".monaco-list" + suffix + " .monaco-list-row.selected { color: " + styles.listInactiveSelectionForeground + "; }"); } if (styles.listHoverBackground) { content.push(".monaco-list" + suffix + ":not(.drop-target) .monaco-list-row:hover:not(.selected):not(.focused) { background-color: " + styles.listHoverBackground + "; }"); } if (styles.listHoverForeground) { content.push(".monaco-list" + suffix + " .monaco-list-row:hover:not(.selected):not(.focused) { color: " + styles.listHoverForeground + "; }"); } if (styles.listSelectionOutline) { content.push(".monaco-list" + suffix + " .monaco-list-row.selected { outline: 1px dotted " + styles.listSelectionOutline + "; outline-offset: -1px; }"); } if (styles.listFocusOutline) { content.push("\n\t\t\t\t.monaco-drag-image,\n\t\t\t\t.monaco-list" + suffix + ":focus .monaco-list-row.focused { outline: 1px solid " + styles.listFocusOutline + "; outline-offset: -1px; }\n\t\t\t"); } if (styles.listInactiveFocusOutline) { content.push(".monaco-list" + suffix + " .monaco-list-row.focused { outline: 1px dotted " + styles.listInactiveFocusOutline + "; outline-offset: -1px; }"); } if (styles.listHoverOutline) { content.push(".monaco-list" + suffix + " .monaco-list-row:hover { outline: 1px dashed " + styles.listHoverOutline + "; outline-offset: -1px; }"); } if (styles.listDropBackground) { content.push("\n\t\t\t\t.monaco-list" + suffix + ".drop-target,\n\t\t\t\t.monaco-list" + suffix + " .monaco-list-row.drop-target { background-color: " + styles.listDropBackground + " !important; color: inherit !important; }\n\t\t\t"); } if (styles.listFilterWidgetBackground) { content.push(".monaco-list-type-filter { background-color: " + styles.listFilterWidgetBackground + " }"); } if (styles.listFilterWidgetOutline) { content.push(".monaco-list-type-filter { border: 1px solid " + styles.listFilterWidgetOutline + "; }"); } if (styles.listFilterWidgetNoMatchesOutline) { content.push(".monaco-list-type-filter.no-matches { border: 1px solid " + styles.listFilterWidgetNoMatchesOutline + "; }"); } if (styles.listMatchesShadow) { content.push(".monaco-list-type-filter { box-shadow: 1px 1px 1px " + styles.listMatchesShadow + "; }"); } var newStyles = content.join('\n'); if (newStyles !== this.styleElement.innerHTML) { this.styleElement.innerHTML = newStyles; } }; return DefaultStyleController; }()); var defaultStyles = { listFocusBackground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#073655'), listActiveSelectionBackground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#0E639C'), listActiveSelectionForeground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#FFFFFF'), listFocusAndSelectionBackground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#094771'), listFocusAndSelectionForeground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#FFFFFF'), listInactiveSelectionBackground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#3F3F46'), listHoverBackground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#2A2D2E'), listDropBackground: __WEBPACK_IMPORTED_MODULE_14__common_color_js__["a" /* Color */].fromHex('#383B3D') }; var DefaultOptions = { keyboardSupport: true, mouseSupport: true, multipleSelectionSupport: true, dnd: { getDragURI: function () { return null; }, onDragStart: function () { }, onDragOver: function () { return false; }, drop: function () { } }, ariaRootRole: __WEBPACK_IMPORTED_MODULE_12__list_js__["a" /* ListAriaRootRole */].TREE }; // TODO@Joao: move these utils into a SortedArray class function getContiguousRangeContaining(range, value) { var index = range.indexOf(value); if (index === -1) { return []; } var result = []; var i = index - 1; while (i >= 0 && range[i] === value - (index - i)) { result.push(range[i--]); } result.reverse(); i = index; while (i < range.length && range[i] === value + (i - index)) { result.push(range[i++]); } return result; } /** * Given two sorted collections of numbers, returns the intersection * betweem them (OR). */ function disjunction(one, other) { var result = []; var i = 0, j = 0; while (i < one.length || j < other.length) { if (i >= one.length) { result.push(other[j++]); } else if (j >= other.length) { result.push(one[i++]); } else if (one[i] === other[j]) { result.push(one[i]); i++; j++; continue; } else if (one[i] < other[j]) { result.push(one[i++]); } else { result.push(other[j++]); } } return result; } /** * Given two sorted collections of numbers, returns the relative * complement between them (XOR). */ function relativeComplement(one, other) { var result = []; var i = 0, j = 0; while (i < one.length || j < other.length) { if (i >= one.length) { result.push(other[j++]); } else if (j >= other.length) { result.push(one[i++]); } else if (one[i] === other[j]) { i++; j++; continue; } else if (one[i] < other[j]) { result.push(one[i++]); } else { j++; } } return result; } var numericSort = function (a, b) { return a - b; }; var PipelineRenderer = /** @class */ (function () { function PipelineRenderer(_templateId, renderers) { this._templateId = _templateId; this.renderers = renderers; } Object.defineProperty(PipelineRenderer.prototype, "templateId", { get: function () { return this._templateId; }, enumerable: true, configurable: true }); PipelineRenderer.prototype.renderTemplate = function (container) { return this.renderers.map(function (r) { return r.renderTemplate(container); }); }; PipelineRenderer.prototype.renderElement = function (element, index, templateData, dynamicHeightProbing) { var i = 0; for (var _i = 0, _a = this.renderers; _i < _a.length; _i++) { var renderer = _a[_i]; renderer.renderElement(element, index, templateData[i++], dynamicHeightProbing); } }; PipelineRenderer.prototype.disposeElement = function (element, index, templateData, dynamicHeightProbing) { var i = 0; for (var _i = 0, _a = this.renderers; _i < _a.length; _i++) { var renderer = _a[_i]; if (renderer.disposeElement) { renderer.disposeElement(element, index, templateData[i], dynamicHeightProbing); } i += 1; } }; PipelineRenderer.prototype.disposeTemplate = function (templateData) { var i = 0; for (var _i = 0, _a = this.renderers; _i < _a.length; _i++) { var renderer = _a[_i]; renderer.disposeTemplate(templateData[i++]); } }; return PipelineRenderer; }()); var AccessibiltyRenderer = /** @class */ (function () { function AccessibiltyRenderer(accessibilityProvider) { this.accessibilityProvider = accessibilityProvider; this.templateId = 'a18n'; } AccessibiltyRenderer.prototype.renderTemplate = function (container) { return container; }; AccessibiltyRenderer.prototype.renderElement = function (element, index, container) { var ariaLabel = this.accessibilityProvider.getAriaLabel(element); if (ariaLabel) { container.setAttribute('aria-label', ariaLabel); } else { container.removeAttribute('aria-label'); } var ariaLevel = this.accessibilityProvider.getAriaLevel && this.accessibilityProvider.getAriaLevel(element); if (typeof ariaLevel === 'number') { container.setAttribute('aria-level', "" + ariaLevel); } else { container.removeAttribute('aria-level'); } }; AccessibiltyRenderer.prototype.disposeTemplate = function (templateData) { // noop }; return AccessibiltyRenderer; }()); var ListViewDragAndDrop = /** @class */ (function () { function ListViewDragAndDrop(list, dnd) { this.list = list; this.dnd = dnd; } ListViewDragAndDrop.prototype.getDragElements = function (element) { var selection = this.list.getSelectedElements(); var elements = selection.indexOf(element) > -1 ? selection : [element]; return elements; }; ListViewDragAndDrop.prototype.getDragURI = function (element) { return this.dnd.getDragURI(element); }; ListViewDragAndDrop.prototype.getDragLabel = function (elements) { if (this.dnd.getDragLabel) { return this.dnd.getDragLabel(elements); } return undefined; }; ListViewDragAndDrop.prototype.onDragStart = function (data, originalEvent) { if (this.dnd.onDragStart) { this.dnd.onDragStart(data, originalEvent); } }; ListViewDragAndDrop.prototype.onDragOver = function (data, targetElement, targetIndex, originalEvent) { return this.dnd.onDragOver(data, targetElement, targetIndex, originalEvent); }; ListViewDragAndDrop.prototype.drop = function (data, targetElement, targetIndex, originalEvent) { this.dnd.drop(data, targetElement, targetIndex, originalEvent); }; return ListViewDragAndDrop; }()); var List = /** @class */ (function () { function List(container, virtualDelegate, renderers, _options) { if (_options === void 0) { _options = DefaultOptions; } this._options = _options; this.eventBufferer = new __WEBPACK_IMPORTED_MODULE_10__common_event_js__["c" /* EventBufferer */](); this._onDidOpen = new __WEBPACK_IMPORTED_MODULE_10__common_event_js__["a" /* Emitter */](); this._onPin = new __WEBPACK_IMPORTED_MODULE_10__common_event_js__["a" /* Emitter */](); this.didJustPressContextMenuKey = false; this._onDidDispose = new __WEBPACK_IMPORTED_MODULE_10__common_event_js__["a" /* Emitter */](); this.focus = new FocusTrait(); this.selection = new Trait('selected'); Object(__WEBPACK_IMPORTED_MODULE_15__common_objects_js__["f" /* mixin */])(_options, defaultStyles, false); var baseRenderers = [this.focus.renderer, this.selection.renderer]; if (_options.accessibilityProvider) { baseRenderers.push(new AccessibiltyRenderer(_options.accessibilityProvider)); } renderers = renderers.map(function (r) { return new PipelineRenderer(r.templateId, baseRenderers.concat([r])); }); var viewOptions = __assign({}, _options, { dnd: _options.dnd && new ListViewDragAndDrop(this, _options.dnd) }); this.view = new __WEBPACK_IMPORTED_MODULE_13__listView_js__["b" /* ListView */](container, virtualDelegate, renderers, viewOptions); if (typeof _options.ariaRole !== 'string') { this.view.domNode.setAttribute('role', __WEBPACK_IMPORTED_MODULE_12__list_js__["a" /* ListAriaRootRole */].TREE); } else { this.view.domNode.setAttribute('role', _options.ariaRole); } this.styleElement = __WEBPACK_IMPORTED_MODULE_6__dom_js__["o" /* createStyleSheet */](this.view.domNode); this.styleController = _options.styleController || new DefaultStyleController(this.styleElement, this.view.domId); this.spliceable = new __WEBPACK_IMPORTED_MODULE_16__splice_js__["a" /* CombinedSpliceable */]([ new TraitSpliceable(this.focus, this.view, _options.identityProvider), new TraitSpliceable(this.selection, this.view, _options.identityProvider), this.view ]); this.disposables = [this.focus, this.selection, this.view, this._onDidDispose]; this.onDidFocus = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(this.view.domNode, 'focus', true), function () { return null; }); this.onDidBlur = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].map(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(this.view.domNode, 'blur', true), function () { return null; }); this.disposables.push(new DOMFocusController(this, this.view)); if (typeof _options.keyboardSupport !== 'boolean' || _options.keyboardSupport) { var controller = new KeyboardController(this, this.view, _options); this.disposables.push(controller); } if (_options.keyboardNavigationLabelProvider) { this.typeLabelController = new TypeLabelController(this, this.view, _options.keyboardNavigationLabelProvider); this.disposables.push(this.typeLabelController); } this.disposables.push(this.createMouseController(_options)); this.onFocusChange(this._onFocusChange, this, this.disposables); this.onSelectionChange(this._onSelectionChange, this, this.disposables); if (_options.ariaLabel) { this.view.domNode.setAttribute('aria-label', Object(__WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */])('aria list', "{0}. Use the navigation keys to navigate.", _options.ariaLabel)); } this.style(_options); } Object.defineProperty(List.prototype, "onFocusChange", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].map(this.eventBufferer.wrapEvent(this.focus.onChange), function (e) { return _this.toListEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onSelectionChange", { get: function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].map(this.eventBufferer.wrapEvent(this.selection.onChange), function (e) { return _this.toListEvent(e); }); }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onMouseClick", { get: function () { return this.view.onMouseClick; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onMouseDblClick", { get: function () { return this.view.onMouseDblClick; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onMouseMiddleClick", { get: function () { return this.view.onMouseMiddleClick; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onMouseDown", { get: function () { return this.view.onMouseDown; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onTouchStart", { get: function () { return this.view.onTouchStart; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onTap", { get: function () { return this.view.onTap; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onContextMenu", { get: function () { var _this = this; var fromKeydown = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].chain(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(this.view.domNode, 'keydown')) .map(function (e) { return new __WEBPACK_IMPORTED_MODULE_9__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); }) .filter(function (e) { return _this.didJustPressContextMenuKey = e.keyCode === 58 /* ContextMenu */ || (e.shiftKey && e.keyCode === 68 /* F10 */); }) .filter(function (e) { e.preventDefault(); e.stopPropagation(); return false; }) .map(function (event) { var index = _this.getFocus()[0]; var element = _this.view.element(index); var anchor = _this.view.domElement(index) || undefined; return { index: index, element: element, anchor: anchor, browserEvent: event.browserEvent }; }) .event; var fromKeyup = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].chain(Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(this.view.domNode, 'keyup')) .filter(function () { var didJustPressContextMenuKey = _this.didJustPressContextMenuKey; _this.didJustPressContextMenuKey = false; return didJustPressContextMenuKey; }) .filter(function () { return _this.getFocus().length > 0; }) .map(function (browserEvent) { var index = _this.getFocus()[0]; var element = _this.view.element(index); var anchor = _this.view.domElement(index) || undefined; return { index: index, element: element, anchor: anchor, browserEvent: browserEvent }; }) .filter(function (_a) { var anchor = _a.anchor; return !!anchor; }) .event; var fromMouse = __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].chain(this.view.onContextMenu) .filter(function () { return !_this.didJustPressContextMenuKey; }) .map(function (_a) { var element = _a.element, index = _a.index, browserEvent = _a.browserEvent; return ({ element: element, index: index, anchor: { x: browserEvent.clientX + 1, y: browserEvent.clientY }, browserEvent: browserEvent }); }) .event; return __WEBPACK_IMPORTED_MODULE_10__common_event_js__["b" /* Event */].any(fromKeydown, fromKeyup, fromMouse); }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onKeyDown", { get: function () { return Object(__WEBPACK_IMPORTED_MODULE_11__event_js__["a" /* domEvent */])(this.view.domNode, 'keydown'); }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "onDidDispose", { get: function () { return this._onDidDispose.event; }, enumerable: true, configurable: true }); List.prototype.createMouseController = function (options) { return new MouseController(this); }; List.prototype.updateOptions = function (optionsUpdate) { if (optionsUpdate === void 0) { optionsUpdate = {}; } this._options = __assign({}, this._options, optionsUpdate); if (this.typeLabelController) { this.typeLabelController.updateOptions(this._options); } }; Object.defineProperty(List.prototype, "options", { get: function () { return this._options; }, enumerable: true, configurable: true }); List.prototype.splice = function (start, deleteCount, elements) { var _this = this; if (elements === void 0) { elements = []; } if (start < 0 || start > this.view.length) { throw new Error("Invalid start index: " + start); } if (deleteCount < 0) { throw new Error("Invalid delete count: " + deleteCount); } if (deleteCount === 0 && elements.length === 0) { return; } this.eventBufferer.bufferEvents(function () { return _this.spliceable.splice(start, deleteCount, elements); }); }; List.prototype.rerender = function () { this.view.rerender(); }; List.prototype.element = function (index) { return this.view.element(index); }; Object.defineProperty(List.prototype, "length", { get: function () { return this.view.length; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "contentHeight", { get: function () { return this.view.contentHeight; }, enumerable: true, configurable: true }); Object.defineProperty(List.prototype, "scrollTop", { get: function () { return this.view.getScrollTop(); }, set: function (scrollTop) { this.view.setScrollTop(scrollTop); }, enumerable: true, configurable: true }); List.prototype.domFocus = function () { this.view.domNode.focus(); }; List.prototype.layout = function (height, width) { this.view.layout(height, width); }; List.prototype.setSelection = function (indexes, browserEvent) { for (var _i = 0, indexes_1 = indexes; _i < indexes_1.length; _i++) { var index = indexes_1[_i]; if (index < 0 || index >= this.length) { throw new Error("Invalid index " + index); } } indexes = indexes.sort(numericSort); this.selection.set(indexes, browserEvent); }; List.prototype.getSelection = function () { return this.selection.get(); }; List.prototype.getSelectedElements = function () { var _this = this; return this.getSelection().map(function (i) { return _this.view.element(i); }); }; List.prototype.setFocus = function (indexes, browserEvent) { for (var _i = 0, indexes_2 = indexes; _i < indexes_2.length; _i++) { var index = indexes_2[_i]; if (index < 0 || index >= this.length) { throw new Error("Invalid index " + index); } } indexes = indexes.sort(numericSort); this.focus.set(indexes, browserEvent); }; List.prototype.focusNext = function (n, loop, browserEvent, filter) { if (n === void 0) { n = 1; } if (loop === void 0) { loop = false; } if (this.length === 0) { return; } var focus = this.focus.get(); var index = this.findNextIndex(focus.length > 0 ? focus[0] + n : 0, loop, filter); if (index > -1) { this.setFocus([index], browserEvent); } }; List.prototype.focusPrevious = function (n, loop, browserEvent, filter) { if (n === void 0) { n = 1; } if (loop === void 0) { loop = false; } if (this.length === 0) { return; } var focus = this.focus.get(); var index = this.findPreviousIndex(focus.length > 0 ? focus[0] - n : 0, loop, filter); if (index > -1) { this.setFocus([index], browserEvent); } }; List.prototype.focusNextPage = function (browserEvent, filter) { var _this = this; var lastPageIndex = this.view.indexAt(this.view.getScrollTop() + this.view.renderHeight); lastPageIndex = lastPageIndex === 0 ? 0 : lastPageIndex - 1; var lastPageElement = this.view.element(lastPageIndex); var currentlyFocusedElement = this.getFocusedElements()[0]; if (currentlyFocusedElement !== lastPageElement) { var lastGoodPageIndex = this.findPreviousIndex(lastPageIndex, false, filter); if (lastGoodPageIndex > -1 && currentlyFocusedElement !== this.view.element(lastGoodPageIndex)) { this.setFocus([lastGoodPageIndex], browserEvent); } else { this.setFocus([lastPageIndex], browserEvent); } } else { var previousScrollTop = this.view.getScrollTop(); this.view.setScrollTop(previousScrollTop + this.view.renderHeight - this.view.elementHeight(lastPageIndex)); if (this.view.getScrollTop() !== previousScrollTop) { // Let the scroll event listener run setTimeout(function () { return _this.focusNextPage(browserEvent, filter); }, 0); } } }; List.prototype.focusPreviousPage = function (browserEvent, filter) { var _this = this; var firstPageIndex; var scrollTop = this.view.getScrollTop(); if (scrollTop === 0) { firstPageIndex = this.view.indexAt(scrollTop); } else { firstPageIndex = this.view.indexAfter(scrollTop - 1); } var firstPageElement = this.view.element(firstPageIndex); var currentlyFocusedElement = this.getFocusedElements()[0]; if (currentlyFocusedElement !== firstPageElement) { var firstGoodPageIndex = this.findNextIndex(firstPageIndex, false, filter); if (firstGoodPageIndex > -1 && currentlyFocusedElement !== this.view.element(firstGoodPageIndex)) { this.setFocus([firstGoodPageIndex], browserEvent); } else { this.setFocus([firstPageIndex], browserEvent); } } else { var previousScrollTop = scrollTop; this.view.setScrollTop(scrollTop - this.view.renderHeight); if (this.view.getScrollTop() !== previousScrollTop) { // Let the scroll event listener run setTimeout(function () { return _this.focusPreviousPage(browserEvent, filter); }, 0); } } }; List.prototype.focusLast = function (browserEvent, filter) { if (this.length === 0) { return; } var index = this.findPreviousIndex(this.length - 1, false, filter); if (index > -1) { this.setFocus([index], browserEvent); } }; List.prototype.focusFirst = function (browserEvent, filter) { if (this.length === 0) { return; } var index = this.findNextIndex(0, false, filter); if (index > -1) { this.setFocus([index], browserEvent); } }; List.prototype.findNextIndex = function (index, loop, filter) { if (loop === void 0) { loop = false; } for (var i = 0; i < this.length; i++) { if (index >= this.length && !loop) { return -1; } index = index % this.length; if (!filter || filter(this.element(index))) { return index; } index++; } return -1; }; List.prototype.findPreviousIndex = function (index, loop, filter) { if (loop === void 0) { loop = false; } for (var i = 0; i < this.length; i++) { if (index < 0 && !loop) { return -1; } index = (this.length + (index % this.length)) % this.length; if (!filter || filter(this.element(index))) { return index; } index--; } return -1; }; List.prototype.getFocus = function () { return this.focus.get(); }; List.prototype.getFocusedElements = function () { var _this = this; return this.getFocus().map(function (i) { return _this.view.element(i); }); }; List.prototype.reveal = function (index, relativeTop) { if (index < 0 || index >= this.length) { throw new Error("Invalid index " + index); } var scrollTop = this.view.getScrollTop(); var elementTop = this.view.elementTop(index); var elementHeight = this.view.elementHeight(index); if (Object(__WEBPACK_IMPORTED_MODULE_3__common_types_js__["g" /* isNumber */])(relativeTop)) { // y = mx + b var m = elementHeight - this.view.renderHeight; this.view.setScrollTop(m * Object(__WEBPACK_IMPORTED_MODULE_17__common_numbers_js__["a" /* clamp */])(relativeTop, 0, 1) + elementTop); } else { var viewItemBottom = elementTop + elementHeight; var wrapperBottom = scrollTop + this.view.renderHeight; if (elementTop < scrollTop) { this.view.setScrollTop(elementTop); } else if (viewItemBottom >= wrapperBottom) { this.view.setScrollTop(viewItemBottom - this.view.renderHeight); } } }; /** * Returns the relative position of an element rendered in the list. * Returns `null` if the element isn't *entirely* in the visible viewport. */ List.prototype.getRelativeTop = function (index) { if (index < 0 || index >= this.length) { throw new Error("Invalid index " + index); } var scrollTop = this.view.getScrollTop(); var elementTop = this.view.elementTop(index); var elementHeight = this.view.elementHeight(index); if (elementTop < scrollTop || elementTop + elementHeight > scrollTop + this.view.renderHeight) { return null; } // y = mx + b var m = elementHeight - this.view.renderHeight; return Math.abs((scrollTop - elementTop) / m); }; List.prototype.getHTMLElement = function () { return this.view.domNode; }; List.prototype.open = function (indexes, browserEvent) { var _this = this; for (var _i = 0, indexes_3 = indexes; _i < indexes_3.length; _i++) { var index = indexes_3[_i]; if (index < 0 || index >= this.length) { throw new Error("Invalid index " + index); } } this._onDidOpen.fire({ indexes: indexes, elements: indexes.map(function (i) { return _this.view.element(i); }), browserEvent: browserEvent }); }; List.prototype.pin = function (indexes) { for (var _i = 0, indexes_4 = indexes; _i < indexes_4.length; _i++) { var index = indexes_4[_i]; if (index < 0 || index >= this.length) { throw new Error("Invalid index " + index); } } this._onPin.fire(indexes); }; List.prototype.style = function (styles) { this.styleController.style(styles); }; List.prototype.toListEvent = function (_a) { var _this = this; var indexes = _a.indexes, browserEvent = _a.browserEvent; return { indexes: indexes, elements: indexes.map(function (i) { return _this.view.element(i); }), browserEvent: browserEvent }; }; List.prototype._onFocusChange = function () { var focus = this.focus.get(); if (focus.length > 0) { this.view.domNode.setAttribute('aria-activedescendant', this.view.getElementDomId(focus[0])); } else { this.view.domNode.removeAttribute('aria-activedescendant'); } this.view.domNode.setAttribute('role', 'tree'); __WEBPACK_IMPORTED_MODULE_6__dom_js__["M" /* toggleClass */](this.view.domNode, 'element-focused', focus.length > 0); }; List.prototype._onSelectionChange = function () { var selection = this.selection.get(); __WEBPACK_IMPORTED_MODULE_6__dom_js__["M" /* toggleClass */](this.view.domNode, 'selection-none', selection.length === 0); __WEBPACK_IMPORTED_MODULE_6__dom_js__["M" /* toggleClass */](this.view.domNode, 'selection-single', selection.length === 1); __WEBPACK_IMPORTED_MODULE_6__dom_js__["M" /* toggleClass */](this.view.domNode, 'selection-multiple', selection.length > 1); }; List.prototype.dispose = function () { this._onDidDispose.fire(); this.disposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); this._onDidOpen.dispose(); this._onPin.dispose(); this._onDidDispose.dispose(); }; __decorate([ __WEBPACK_IMPORTED_MODULE_5__common_decorators_js__["a" /* memoize */] ], List.prototype, "onFocusChange", null); __decorate([ __WEBPACK_IMPORTED_MODULE_5__common_decorators_js__["a" /* memoize */] ], List.prototype, "onSelectionChange", null); __decorate([ __WEBPACK_IMPORTED_MODULE_5__common_decorators_js__["a" /* memoize */] ], List.prototype, "onContextMenu", null); return List; }()); /***/ }), /***/ 1721: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DataTransfers; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return DragAndDropData; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return StaticDND; }); // Common data transfers var DataTransfers = { /** * Application specific resource transfer type */ RESOURCES: 'ResourceURLs', /** * Browser specific transfer type to download */ DOWNLOAD_URL: 'DownloadURL', /** * Browser specific transfer type for files */ FILES: 'Files', /** * Typicaly transfer type for copy/paste transfers. */ TEXT: 'text/plain' }; var DragAndDropData = /** @class */ (function () { function DragAndDropData(data) { this.data = data; } DragAndDropData.prototype.update = function () { // noop }; DragAndDropData.prototype.getData = function () { return this.data; }; return DragAndDropData; }()); var StaticDND = { CurrentDragAndDropData: undefined }; /***/ }), /***/ 1722: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = clamp; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function clamp(value, min, max) { return Math.min(Math.max(value, min), max); } /***/ }), /***/ 1723: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export or */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return matchesPrefix; }); /* unused harmony export matchesContiguousSubString */ /* unused harmony export matchesSubString */ /* unused harmony export isUpper */ /* unused harmony export matchesCamelCase */ /* unused harmony export matchesFuzzy */ /* unused harmony export anyScore */ /* unused harmony export createMatches */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return FuzzyScore; }); /* harmony export (immutable) */ __webpack_exports__["b"] = fuzzyScore; /* unused harmony export fuzzyScoreGracefulAggressive */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // Combined filters /** * @returns A filter which combines the provided set * of filters with an or. The *first* filters that * matches defined the return value of the returned * filter. */ function or() { var filter = []; for (var _i = 0; _i < arguments.length; _i++) { filter[_i] = arguments[_i]; } return function (word, wordToMatchAgainst) { for (var i = 0, len = filter.length; i < len; i++) { var match = filter[i](word, wordToMatchAgainst); if (match) { return match; } } return null; }; } var matchesPrefix = _matchesPrefix.bind(undefined, true); function _matchesPrefix(ignoreCase, word, wordToMatchAgainst) { if (!wordToMatchAgainst || wordToMatchAgainst.length < word.length) { return null; } var matches; if (ignoreCase) { matches = __WEBPACK_IMPORTED_MODULE_1__strings_js__["C" /* startsWithIgnoreCase */](wordToMatchAgainst, word); } else { matches = wordToMatchAgainst.indexOf(word) === 0; } if (!matches) { return null; } return word.length > 0 ? [{ start: 0, end: word.length }] : []; } // Contiguous Substring function matchesContiguousSubString(word, wordToMatchAgainst) { var index = wordToMatchAgainst.toLowerCase().indexOf(word.toLowerCase()); if (index === -1) { return null; } return [{ start: index, end: index + word.length }]; } // Substring function matchesSubString(word, wordToMatchAgainst) { return _matchesSubString(word.toLowerCase(), wordToMatchAgainst.toLowerCase(), 0, 0); } function _matchesSubString(word, wordToMatchAgainst, i, j) { if (i === word.length) { return []; } else if (j === wordToMatchAgainst.length) { return null; } else { if (word[i] === wordToMatchAgainst[j]) { var result = null; if (result = _matchesSubString(word, wordToMatchAgainst, i + 1, j + 1)) { return join({ start: j, end: j + 1 }, result); } return null; } return _matchesSubString(word, wordToMatchAgainst, i, j + 1); } } // CamelCase function isLower(code) { return 97 /* a */ <= code && code <= 122 /* z */; } function isUpper(code) { return 65 /* A */ <= code && code <= 90 /* Z */; } function isNumber(code) { return 48 /* Digit0 */ <= code && code <= 57 /* Digit9 */; } function isWhitespace(code) { return (code === 32 /* Space */ || code === 9 /* Tab */ || code === 10 /* LineFeed */ || code === 13 /* CarriageReturn */); } function isAlphanumeric(code) { return isLower(code) || isUpper(code) || isNumber(code); } function join(head, tail) { if (tail.length === 0) { tail = [head]; } else if (head.end === tail[0].start) { tail[0].start = head.start; } else { tail.unshift(head); } return tail; } function nextAnchor(camelCaseWord, start) { for (var i = start; i < camelCaseWord.length; i++) { var c = camelCaseWord.charCodeAt(i); if (isUpper(c) || isNumber(c) || (i > 0 && !isAlphanumeric(camelCaseWord.charCodeAt(i - 1)))) { return i; } } return camelCaseWord.length; } function _matchesCamelCase(word, camelCaseWord, i, j) { if (i === word.length) { return []; } else if (j === camelCaseWord.length) { return null; } else if (word[i] !== camelCaseWord[j].toLowerCase()) { return null; } else { var result = null; var nextUpperIndex = j + 1; result = _matchesCamelCase(word, camelCaseWord, i + 1, j + 1); while (!result && (nextUpperIndex = nextAnchor(camelCaseWord, nextUpperIndex)) < camelCaseWord.length) { result = _matchesCamelCase(word, camelCaseWord, i + 1, nextUpperIndex); nextUpperIndex++; } return result === null ? null : join({ start: j, end: j + 1 }, result); } } // Heuristic to avoid computing camel case matcher for words that don't // look like camelCaseWords. function analyzeCamelCaseWord(word) { var upper = 0, lower = 0, alpha = 0, numeric = 0, code = 0; for (var i = 0; i < word.length; i++) { code = word.charCodeAt(i); if (isUpper(code)) { upper++; } if (isLower(code)) { lower++; } if (isAlphanumeric(code)) { alpha++; } if (isNumber(code)) { numeric++; } } var upperPercent = upper / word.length; var lowerPercent = lower / word.length; var alphaPercent = alpha / word.length; var numericPercent = numeric / word.length; return { upperPercent: upperPercent, lowerPercent: lowerPercent, alphaPercent: alphaPercent, numericPercent: numericPercent }; } function isUpperCaseWord(analysis) { var upperPercent = analysis.upperPercent, lowerPercent = analysis.lowerPercent; return lowerPercent === 0 && upperPercent > 0.6; } function isCamelCaseWord(analysis) { var upperPercent = analysis.upperPercent, lowerPercent = analysis.lowerPercent, alphaPercent = analysis.alphaPercent, numericPercent = analysis.numericPercent; return lowerPercent > 0.2 && upperPercent < 0.8 && alphaPercent > 0.6 && numericPercent < 0.2; } // Heuristic to avoid computing camel case matcher for words that don't // look like camel case patterns. function isCamelCasePattern(word) { var upper = 0, lower = 0, code = 0, whitespace = 0; for (var i = 0; i < word.length; i++) { code = word.charCodeAt(i); if (isUpper(code)) { upper++; } if (isLower(code)) { lower++; } if (isWhitespace(code)) { whitespace++; } } if ((upper === 0 || lower === 0) && whitespace === 0) { return word.length <= 30; } else { return upper <= 5; } } function matchesCamelCase(word, camelCaseWord) { if (!camelCaseWord) { return null; } camelCaseWord = camelCaseWord.trim(); if (camelCaseWord.length === 0) { return null; } if (!isCamelCasePattern(word)) { return null; } if (camelCaseWord.length > 60) { return null; } var analysis = analyzeCamelCaseWord(camelCaseWord); if (!isCamelCaseWord(analysis)) { if (!isUpperCaseWord(analysis)) { return null; } camelCaseWord = camelCaseWord.toLowerCase(); } var result = null; var i = 0; word = word.toLowerCase(); while (i < camelCaseWord.length && (result = _matchesCamelCase(word, camelCaseWord, 0, i)) === null) { i = nextAnchor(camelCaseWord, i + 1); } return result; } // Fuzzy var fuzzyContiguousFilter = or(matchesPrefix, matchesCamelCase, matchesContiguousSubString); var fuzzySeparateFilter = or(matchesPrefix, matchesCamelCase, matchesSubString); var fuzzyRegExpCache = new __WEBPACK_IMPORTED_MODULE_0__map_js__["a" /* LRUCache */](10000); // bounded to 10000 elements function matchesFuzzy(word, wordToMatchAgainst, enableSeparateSubstringMatching) { if (enableSeparateSubstringMatching === void 0) { enableSeparateSubstringMatching = false; } if (typeof word !== 'string' || typeof wordToMatchAgainst !== 'string') { return null; // return early for invalid input } // Form RegExp for wildcard matches var regexp = fuzzyRegExpCache.get(word); if (!regexp) { regexp = new RegExp(__WEBPACK_IMPORTED_MODULE_1__strings_js__["g" /* convertSimple2RegExpPattern */](word), 'i'); fuzzyRegExpCache.set(word, regexp); } // RegExp Filter var match = regexp.exec(wordToMatchAgainst); if (match) { return [{ start: match.index, end: match.index + match[0].length }]; } // Default Filter return enableSeparateSubstringMatching ? fuzzySeparateFilter(word, wordToMatchAgainst) : fuzzyContiguousFilter(word, wordToMatchAgainst); } function anyScore(pattern, lowPattern, _patternPos, word, lowWord, _wordPos) { var result = fuzzyScore(pattern, lowPattern, 0, word, lowWord, 0, true); if (result) { return result; } var matches = 0; var score = 0; var idx = _wordPos; for (var patternPos = 0; patternPos < lowPattern.length && patternPos < _maxLen; ++patternPos) { var wordPos = lowWord.indexOf(lowPattern.charAt(patternPos), idx); if (wordPos >= 0) { score += 1; matches += Math.pow(2, wordPos); idx = wordPos + 1; } } return [score, matches, _wordPos]; } //#region --- fuzzyScore --- function createMatches(score) { if (typeof score === 'undefined') { return []; } var matches = score[1].toString(2); var wordStart = score[2]; var res = []; for (var pos = wordStart; pos < _maxLen; pos++) { if (matches[matches.length - (pos + 1)] === '1') { var last = res[res.length - 1]; if (last && last.end === pos) { last.end = pos + 1; } else { res.push({ start: pos, end: pos + 1 }); } } } return res; } var _maxLen = 53; function initTable() { var table = []; var row = [0]; for (var i = 1; i <= _maxLen; i++) { row.push(-i); } for (var i = 0; i <= _maxLen; i++) { var thisRow = row.slice(0); thisRow[0] = -i; table.push(thisRow); } return table; } var _table = initTable(); var _scores = initTable(); var _arrows = initTable(); var _debug = false; function printTable(table, pattern, patternLen, word, wordLen) { function pad(s, n, pad) { if (pad === void 0) { pad = ' '; } while (s.length < n) { s = pad + s; } return s; } var ret = " | |" + word.split('').map(function (c) { return pad(c, 3); }).join('|') + "\n"; for (var i = 0; i <= patternLen; i++) { if (i === 0) { ret += ' |'; } else { ret += pattern[i - 1] + "|"; } ret += table[i].slice(0, wordLen + 1).map(function (n) { return pad(n.toString(), 3); }).join('|') + '\n'; } return ret; } function isSeparatorAtPos(value, index) { if (index < 0 || index >= value.length) { return false; } var code = value.charCodeAt(index); switch (code) { case 95 /* Underline */: case 45 /* Dash */: case 46 /* Period */: case 32 /* Space */: case 47 /* Slash */: case 92 /* Backslash */: case 39 /* SingleQuote */: case 34 /* DoubleQuote */: case 58 /* Colon */: case 36 /* DollarSign */: return true; default: return false; } } function isWhitespaceAtPos(value, index) { if (index < 0 || index >= value.length) { return false; } var code = value.charCodeAt(index); switch (code) { case 32 /* Space */: case 9 /* Tab */: return true; default: return false; } } function isUpperCaseAtPos(pos, word, wordLow) { return word[pos] !== wordLow[pos]; } function isPatternInWord(patternLow, patternPos, patternLen, wordLow, wordPos, wordLen) { while (patternPos < patternLen && wordPos < wordLen) { if (patternLow[patternPos] === wordLow[wordPos]) { patternPos += 1; } wordPos += 1; } return patternPos === patternLen; // pattern must be exhausted } var FuzzyScore; (function (FuzzyScore) { /** * No matches and value `-100` */ FuzzyScore.Default = [-100, 0, 0]; function isDefault(score) { return !score || (score[0] === -100 && score[1] === 0 && score[2] === 0); } FuzzyScore.isDefault = isDefault; })(FuzzyScore || (FuzzyScore = {})); function fuzzyScore(pattern, patternLow, patternPos, word, wordLow, wordPos, firstMatchCanBeWeak) { var patternLen = pattern.length > _maxLen ? _maxLen : pattern.length; var wordLen = word.length > _maxLen ? _maxLen : word.length; if (patternPos >= patternLen || wordPos >= wordLen || patternLen > wordLen) { return undefined; } // Run a simple check if the characters of pattern occur // (in order) at all in word. If that isn't the case we // stop because no match will be possible if (!isPatternInWord(patternLow, patternPos, patternLen, wordLow, wordPos, wordLen)) { return undefined; } var patternStartPos = patternPos; var wordStartPos = wordPos; // There will be a mach, fill in tables for (patternPos = patternStartPos + 1; patternPos <= patternLen; patternPos++) { for (wordPos = 1; wordPos <= wordLen; wordPos++) { var score = -1; if (patternLow[patternPos - 1] === wordLow[wordPos - 1]) { if (wordPos === (patternPos - patternStartPos)) { // common prefix: `foobar <-> foobaz` // ^^^^^ if (pattern[patternPos - 1] === word[wordPos - 1]) { score = 7; } else { score = 5; } } else if (isUpperCaseAtPos(wordPos - 1, word, wordLow) && (wordPos === 1 || !isUpperCaseAtPos(wordPos - 2, word, wordLow))) { // hitting upper-case: `foo <-> forOthers` // ^^ ^ if (pattern[patternPos - 1] === word[wordPos - 1]) { score = 7; } else { score = 5; } } else if (isSeparatorAtPos(wordLow, wordPos - 2) || isWhitespaceAtPos(wordLow, wordPos - 2)) { // post separator: `foo <-> bar_foo` // ^^^ score = 5; } else { score = 1; } } _scores[patternPos][wordPos] = score; var diag = _table[patternPos - 1][wordPos - 1] + (score > 1 ? 1 : score); var top_1 = _table[patternPos - 1][wordPos] + -1; var left = _table[patternPos][wordPos - 1] + -1; if (left >= top_1) { // left or diag if (left > diag) { _table[patternPos][wordPos] = left; _arrows[patternPos][wordPos] = 4 /* Left */; } else if (left === diag) { _table[patternPos][wordPos] = left; _arrows[patternPos][wordPos] = 4 /* Left */ | 2 /* Diag */; } else { _table[patternPos][wordPos] = diag; _arrows[patternPos][wordPos] = 2 /* Diag */; } } else { // top or diag if (top_1 > diag) { _table[patternPos][wordPos] = top_1; _arrows[patternPos][wordPos] = 1 /* Top */; } else if (top_1 === diag) { _table[patternPos][wordPos] = top_1; _arrows[patternPos][wordPos] = 1 /* Top */ | 2 /* Diag */; } else { _table[patternPos][wordPos] = diag; _arrows[patternPos][wordPos] = 2 /* Diag */; } } } } if (_debug) { console.log(printTable(_table, pattern, patternLen, word, wordLen)); console.log(printTable(_arrows, pattern, patternLen, word, wordLen)); console.log(printTable(_scores, pattern, patternLen, word, wordLen)); } _matchesCount = 0; _topScore = -100; _patternStartPos = patternStartPos; _firstMatchCanBeWeak = firstMatchCanBeWeak; _findAllMatches2(patternLen, wordLen, patternLen === wordLen ? 1 : 0, 0, false); if (_matchesCount === 0) { return undefined; } return [_topScore, _topMatch2, wordStartPos]; } var _matchesCount = 0; var _topMatch2 = 0; var _topScore = 0; var _patternStartPos = 0; var _firstMatchCanBeWeak = false; function _findAllMatches2(patternPos, wordPos, total, matches, lastMatched) { if (_matchesCount >= 10 || total < -25) { // stop when having already 10 results, or // when a potential alignment as already 5 gaps return; } var simpleMatchCount = 0; while (patternPos > _patternStartPos && wordPos > 0) { var score = _scores[patternPos][wordPos]; var arrow = _arrows[patternPos][wordPos]; if (arrow === 4 /* Left */) { // left -> no match, skip a word character wordPos -= 1; if (lastMatched) { total -= 5; // new gap penalty } else if (matches !== 0) { total -= 1; // gap penalty after first match } lastMatched = false; simpleMatchCount = 0; } else if (arrow & 2 /* Diag */) { if (arrow & 4 /* Left */) { // left _findAllMatches2(patternPos, wordPos - 1, matches !== 0 ? total - 1 : total, // gap penalty after first match matches, lastMatched); } // diag total += score; patternPos -= 1; wordPos -= 1; lastMatched = true; // match -> set a 1 at the word pos matches += Math.pow(2, wordPos); // count simple matches and boost a row of // simple matches when they yield in a // strong match. if (score === 1) { simpleMatchCount += 1; if (patternPos === _patternStartPos && !_firstMatchCanBeWeak) { // when the first match is a weak // match we discard it return undefined; } } else { // boost total += 1 + (simpleMatchCount * (score - 1)); simpleMatchCount = 0; } } else { return undefined; } } total -= wordPos >= 3 ? 9 : wordPos * 3; // late start penalty // dynamically keep track of the current top score // and insert the current best score at head, the rest at tail _matchesCount += 1; if (total > _topScore) { _topScore = total; _topMatch2 = matches; } } //#endregion //#region --- graceful --- function fuzzyScoreGracefulAggressive(pattern, lowPattern, patternPos, word, lowWord, wordPos, firstMatchCanBeWeak) { return fuzzyScoreWithPermutations(pattern, lowPattern, patternPos, word, lowWord, wordPos, true, firstMatchCanBeWeak); } function fuzzyScoreWithPermutations(pattern, lowPattern, patternPos, word, lowWord, wordPos, aggressive, firstMatchCanBeWeak) { var top = fuzzyScore(pattern, lowPattern, patternPos, word, lowWord, wordPos, firstMatchCanBeWeak); if (top && !aggressive) { // when using the original pattern yield a result we` // return it unless we are aggressive and try to find // a better alignment, e.g. `cno` -> `^co^ns^ole` or `^c^o^nsole`. return top; } if (pattern.length >= 3) { // When the pattern is long enough then try a few (max 7) // permutations of the pattern to find a better match. The // permutations only swap neighbouring characters, e.g // `cnoso` becomes `conso`, `cnsoo`, `cnoos`. var tries = Math.min(7, pattern.length - 1); for (var movingPatternPos = patternPos + 1; movingPatternPos < tries; movingPatternPos++) { var newPattern = nextTypoPermutation(pattern, movingPatternPos); if (newPattern) { var candidate = fuzzyScore(newPattern, newPattern.toLowerCase(), patternPos, word, lowWord, wordPos, firstMatchCanBeWeak); if (candidate) { candidate[0] -= 3; // permutation penalty if (!top || candidate[0] > top[0]) { top = candidate; } } } } } return top; } function nextTypoPermutation(pattern, patternPos) { if (patternPos + 1 >= pattern.length) { return undefined; } var swap1 = pattern[patternPos]; var swap2 = pattern[patternPos + 1]; if (swap1 === swap2) { return undefined; } return pattern.slice(0, patternPos) + swap2 + swap1 + pattern.slice(patternPos + 2); } //#endregion /***/ }), /***/ 1724: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ComposedTreeDelegate; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AbstractTree; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_tree_css__ = __webpack_require__(2074); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_tree_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__media_tree_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__list_listWidget_js__ = __webpack_require__(1720); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__dnd_js__ = __webpack_require__(1721); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__list_listView_js__ = __webpack_require__(1584); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__event_js__ = __webpack_require__(1357); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_filters_js__ = __webpack_require__(1723); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__indexTreeModel_js__ = __webpack_require__(1725); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__common_numbers_js__ = __webpack_require__(1722); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; function asTreeDragAndDropData(data) { if (data instanceof __WEBPACK_IMPORTED_MODULE_8__list_listView_js__["a" /* ElementsDragAndDropData */]) { var nodes = data.elements; return new __WEBPACK_IMPORTED_MODULE_8__list_listView_js__["a" /* ElementsDragAndDropData */](nodes.map(function (node) { return node.element; })); } return data; } var TreeNodeListDragAndDrop = /** @class */ (function () { function TreeNodeListDragAndDrop(modelProvider, dnd) { this.modelProvider = modelProvider; this.dnd = dnd; this.autoExpandDisposable = __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */].None; } TreeNodeListDragAndDrop.prototype.getDragURI = function (node) { return this.dnd.getDragURI(node.element); }; TreeNodeListDragAndDrop.prototype.getDragLabel = function (nodes) { if (this.dnd.getDragLabel) { return this.dnd.getDragLabel(nodes.map(function (node) { return node.element; })); } return undefined; }; TreeNodeListDragAndDrop.prototype.onDragStart = function (data, originalEvent) { if (this.dnd.onDragStart) { this.dnd.onDragStart(asTreeDragAndDropData(data), originalEvent); } }; TreeNodeListDragAndDrop.prototype.onDragOver = function (data, targetNode, targetIndex, originalEvent, raw) { var _this = this; if (raw === void 0) { raw = true; } var result = this.dnd.onDragOver(asTreeDragAndDropData(data), targetNode && targetNode.element, targetIndex, originalEvent); var didChangeAutoExpandNode = this.autoExpandNode !== targetNode; if (didChangeAutoExpandNode) { this.autoExpandDisposable.dispose(); this.autoExpandNode = targetNode; } if (typeof targetNode === 'undefined') { return result; } if (didChangeAutoExpandNode && typeof result !== 'boolean' && result.autoExpand) { this.autoExpandDisposable = Object(__WEBPACK_IMPORTED_MODULE_13__common_async_js__["f" /* disposableTimeout */])(function () { var model = _this.modelProvider(); var ref = model.getNodeLocation(targetNode); if (model.isCollapsed(ref)) { model.setCollapsed(ref, false); } _this.autoExpandNode = undefined; }, 500); } if (typeof result === 'boolean' || !result.accept || typeof result.bubble === 'undefined') { if (!raw) { var accept = typeof result === 'boolean' ? result : result.accept; var effect = typeof result === 'boolean' ? undefined : result.effect; return { accept: accept, effect: effect, feedback: [targetIndex] }; } return result; } if (result.bubble === 1 /* Up */) { var parentNode = targetNode.parent; var model_1 = this.modelProvider(); var parentIndex = parentNode && model_1.getListIndex(model_1.getNodeLocation(parentNode)); return this.onDragOver(data, parentNode, parentIndex, originalEvent, false); } var model = this.modelProvider(); var ref = model.getNodeLocation(targetNode); var start = model.getListIndex(ref); var length = model.getListRenderCount(ref); return __assign({}, result, { feedback: Object(__WEBPACK_IMPORTED_MODULE_7__common_arrays_js__["i" /* range */])(start, start + length) }); }; TreeNodeListDragAndDrop.prototype.drop = function (data, targetNode, targetIndex, originalEvent) { this.autoExpandDisposable.dispose(); this.autoExpandNode = undefined; this.dnd.drop(asTreeDragAndDropData(data), targetNode && targetNode.element, targetIndex, originalEvent); }; return TreeNodeListDragAndDrop; }()); function asListOptions(modelProvider, options) { return options && __assign({}, options, { identityProvider: options.identityProvider && { getId: function (el) { return options.identityProvider.getId(el.element); } }, dnd: options.dnd && new TreeNodeListDragAndDrop(modelProvider, options.dnd), multipleSelectionController: options.multipleSelectionController && { isSelectionSingleChangeEvent: function (e) { return options.multipleSelectionController.isSelectionSingleChangeEvent(__assign({}, e, { element: e.element })); }, isSelectionRangeChangeEvent: function (e) { return options.multipleSelectionController.isSelectionRangeChangeEvent(__assign({}, e, { element: e.element })); } }, accessibilityProvider: options.accessibilityProvider && { getAriaLabel: function (e) { return options.accessibilityProvider.getAriaLabel(e.element); }, getAriaLevel: function (node) { return node.depth; } }, keyboardNavigationLabelProvider: options.keyboardNavigationLabelProvider && __assign({}, options.keyboardNavigationLabelProvider, { getKeyboardNavigationLabel: function (node) { return options.keyboardNavigationLabelProvider.getKeyboardNavigationLabel(node.element); } }), enableKeyboardNavigation: options.simpleKeyboardNavigation, ariaSetProvider: { getSetSize: function (node) { return node.parent.visibleChildrenCount; }, getPosInSet: function (node) { return node.visibleChildIndex + 1; } } }); } var ComposedTreeDelegate = /** @class */ (function () { function ComposedTreeDelegate(delegate) { this.delegate = delegate; } ComposedTreeDelegate.prototype.getHeight = function (element) { return this.delegate.getHeight(element.element); }; ComposedTreeDelegate.prototype.getTemplateId = function (element) { return this.delegate.getTemplateId(element.element); }; ComposedTreeDelegate.prototype.hasDynamicHeight = function (element) { return !!this.delegate.hasDynamicHeight && this.delegate.hasDynamicHeight(element.element); }; return ComposedTreeDelegate; }()); var TreeRenderer = /** @class */ (function () { function TreeRenderer(renderer, onDidChangeCollapseState, options) { if (options === void 0) { options = {}; } this.renderer = renderer; this.renderedElements = new Map(); this.renderedNodes = new Map(); this.indent = TreeRenderer.DefaultIndent; this.disposables = []; this.templateId = renderer.templateId; this.updateOptions(options); __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(onDidChangeCollapseState, function (e) { return e.node; })(this.onDidChangeNodeTwistieState, this, this.disposables); if (renderer.onDidChangeTwistieState) { renderer.onDidChangeTwistieState(this.onDidChangeTwistieState, this, this.disposables); } } TreeRenderer.prototype.updateOptions = function (options) { var _this = this; if (options === void 0) { options = {}; } if (typeof options.indent !== 'undefined') { this.indent = Object(__WEBPACK_IMPORTED_MODULE_16__common_numbers_js__["a" /* clamp */])(options.indent, 0, 40); } this.renderedNodes.forEach(function (templateData, node) { templateData.twistie.style.marginLeft = node.depth * _this.indent + "px"; }); }; TreeRenderer.prototype.renderTemplate = function (container) { var el = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(container, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('.monaco-tl-row')); var twistie = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(el, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('.monaco-tl-twistie')); var contents = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(el, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('.monaco-tl-contents')); var templateData = this.renderer.renderTemplate(contents); return { container: container, twistie: twistie, templateData: templateData }; }; TreeRenderer.prototype.renderElement = function (node, index, templateData, dynamicHeightProbing) { if (!dynamicHeightProbing) { this.renderedNodes.set(node, templateData); this.renderedElements.set(node.element, node); } var indent = TreeRenderer.DefaultIndent + (node.depth - 1) * this.indent; templateData.twistie.style.marginLeft = indent + "px"; this.update(node, templateData); this.renderer.renderElement(node, index, templateData.templateData, dynamicHeightProbing); }; TreeRenderer.prototype.disposeElement = function (node, index, templateData, dynamicHeightProbing) { if (this.renderer.disposeElement) { this.renderer.disposeElement(node, index, templateData.templateData, dynamicHeightProbing); } if (!dynamicHeightProbing) { this.renderedNodes.delete(node); this.renderedElements.delete(node.element); } }; TreeRenderer.prototype.disposeTemplate = function (templateData) { this.renderer.disposeTemplate(templateData.templateData); }; TreeRenderer.prototype.onDidChangeTwistieState = function (element) { var node = this.renderedElements.get(element); if (!node) { return; } this.onDidChangeNodeTwistieState(node); }; TreeRenderer.prototype.onDidChangeNodeTwistieState = function (node) { var templateData = this.renderedNodes.get(node); if (!templateData) { return; } this.update(node, templateData); }; TreeRenderer.prototype.update = function (node, templateData) { if (this.renderer.renderTwistie) { this.renderer.renderTwistie(node.element, templateData.twistie); } Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["M" /* toggleClass */])(templateData.twistie, 'collapsible', node.collapsible); Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["M" /* toggleClass */])(templateData.twistie, 'collapsed', node.collapsible && node.collapsed); if (node.collapsible) { templateData.container.setAttribute('aria-expanded', String(!node.collapsed)); } else { templateData.container.removeAttribute('aria-expanded'); } }; TreeRenderer.prototype.dispose = function () { this.renderedNodes.clear(); this.renderedElements.clear(); this.disposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; TreeRenderer.DefaultIndent = 8; return TreeRenderer; }()); var TypeFilter = /** @class */ (function () { function TypeFilter(tree, keyboardNavigationLabelProvider, _filter) { this.tree = tree; this.keyboardNavigationLabelProvider = keyboardNavigationLabelProvider; this._filter = _filter; this._totalCount = 0; this._matchCount = 0; this.disposables = []; tree.onWillRefilter(this.reset, this, this.disposables); } Object.defineProperty(TypeFilter.prototype, "totalCount", { get: function () { return this._totalCount; }, enumerable: true, configurable: true }); Object.defineProperty(TypeFilter.prototype, "matchCount", { get: function () { return this._matchCount; }, enumerable: true, configurable: true }); Object.defineProperty(TypeFilter.prototype, "pattern", { set: function (pattern) { this._pattern = pattern; this._lowercasePattern = pattern.toLowerCase(); }, enumerable: true, configurable: true }); TypeFilter.prototype.filter = function (element, parentVisibility) { if (this._filter) { var result = this._filter.filter(element, parentVisibility); if (this.tree.options.simpleKeyboardNavigation) { return result; } var visibility = void 0; if (typeof result === 'boolean') { visibility = result ? 1 /* Visible */ : 0 /* Hidden */; } else if (Object(__WEBPACK_IMPORTED_MODULE_11__indexTreeModel_js__["c" /* isFilterResult */])(result)) { visibility = Object(__WEBPACK_IMPORTED_MODULE_11__indexTreeModel_js__["b" /* getVisibleState */])(result.visibility); } else { visibility = result; } if (visibility === 0 /* Hidden */) { return false; } } this._totalCount++; if (this.tree.options.simpleKeyboardNavigation || !this._pattern) { this._matchCount++; return { data: __WEBPACK_IMPORTED_MODULE_10__common_filters_js__["a" /* FuzzyScore */].Default, visibility: true }; } var label = this.keyboardNavigationLabelProvider.getKeyboardNavigationLabel(element); var labelStr = label && label.toString(); if (typeof labelStr === 'undefined') { return { data: __WEBPACK_IMPORTED_MODULE_10__common_filters_js__["a" /* FuzzyScore */].Default, visibility: true }; } var score = Object(__WEBPACK_IMPORTED_MODULE_10__common_filters_js__["b" /* fuzzyScore */])(this._pattern, this._lowercasePattern, 0, labelStr, labelStr.toLowerCase(), 0, true); if (!score) { if (this.tree.options.filterOnType) { return 2 /* Recurse */; } else { return { data: __WEBPACK_IMPORTED_MODULE_10__common_filters_js__["a" /* FuzzyScore */].Default, visibility: true }; } // DEMO: smarter filter ? // return parentVisibility === TreeVisibility.Visible ? true : TreeVisibility.Recurse; } this._matchCount++; return { data: score, visibility: true }; }; TypeFilter.prototype.reset = function () { this._totalCount = 0; this._matchCount = 0; }; TypeFilter.prototype.dispose = function () { this.disposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return TypeFilter; }()); var TypeFilterController = /** @class */ (function () { function TypeFilterController(tree, model, view, filter, keyboardNavigationLabelProvider) { this.tree = tree; this.view = view; this.filter = filter; this.keyboardNavigationLabelProvider = keyboardNavigationLabelProvider; this._enabled = false; this._pattern = ''; this._onDidChangeEmptyState = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["a" /* Emitter */](); this.positionClassName = 'ne'; this.automaticKeyboardNavigation = true; this.triggered = false; this._onDidChangePattern = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["a" /* Emitter */](); this.enabledDisposables = []; this.disposables = []; this.domNode = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])(".monaco-list-type-filter." + this.positionClassName); this.domNode.draggable = true; Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(this.domNode, 'dragstart')(this.onDragStart, this, this.disposables); this.messageDomNode = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(view.getHTMLElement(), Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])(".monaco-list-type-filter-message")); this.labelDomNode = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(this.domNode, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('span.label')); var controls = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(this.domNode, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('.controls')); this._filterOnType = !!tree.options.filterOnType; this.filterOnTypeDomNode = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(controls, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('input.filter')); this.filterOnTypeDomNode.type = 'checkbox'; this.filterOnTypeDomNode.checked = this._filterOnType; this.filterOnTypeDomNode.tabIndex = -1; this.updateFilterOnTypeTitle(); Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(this.filterOnTypeDomNode, 'input')(this.onDidChangeFilterOnType, this, this.disposables); this.clearDomNode = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["l" /* append */])(controls, Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["a" /* $ */])('button.clear')); this.clearDomNode.tabIndex = -1; this.clearDomNode.title = Object(__WEBPACK_IMPORTED_MODULE_12__nls_js__["a" /* localize */])('clear', "Clear"); this.keyboardNavigationEventFilter = tree.options.keyboardNavigationEventFilter; model.onDidSplice(this.onDidSpliceModel, this, this.disposables); this.updateOptions(tree.options); } Object.defineProperty(TypeFilterController.prototype, "enabled", { get: function () { return this._enabled; }, enumerable: true, configurable: true }); Object.defineProperty(TypeFilterController.prototype, "pattern", { get: function () { return this._pattern; }, enumerable: true, configurable: true }); Object.defineProperty(TypeFilterController.prototype, "filterOnType", { get: function () { return this._filterOnType; }, enumerable: true, configurable: true }); TypeFilterController.prototype.updateOptions = function (options) { if (options.simpleKeyboardNavigation) { this.disable(); } else { this.enable(); } if (typeof options.filterOnType !== 'undefined') { this._filterOnType = !!options.filterOnType; this.filterOnTypeDomNode.checked = this._filterOnType; } if (typeof options.automaticKeyboardNavigation !== 'undefined') { this.automaticKeyboardNavigation = options.automaticKeyboardNavigation; } this.tree.refilter(); this.render(); if (!this.automaticKeyboardNavigation) { this.onEventOrInput(''); } }; TypeFilterController.prototype.enable = function () { var _this = this; if (this._enabled) { return; } var isPrintableCharEvent = this.keyboardNavigationLabelProvider.mightProducePrintableCharacter ? function (e) { return _this.keyboardNavigationLabelProvider.mightProducePrintableCharacter(e); } : function (e) { return Object(__WEBPACK_IMPORTED_MODULE_2__list_listWidget_js__["f" /* mightProducePrintableCharacter */])(e); }; var onKeyDown = __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].chain(Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(this.view.getHTMLElement(), 'keydown')) .filter(function (e) { return !isInputElement(e.target) || e.target === _this.filterOnTypeDomNode; }) .map(function (e) { return new __WEBPACK_IMPORTED_MODULE_5__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); }) .filter(this.keyboardNavigationEventFilter || (function () { return true; })) .filter(function () { return _this.automaticKeyboardNavigation || _this.triggered; }) .filter(function (e) { return isPrintableCharEvent(e) || ((_this.pattern.length > 0 || _this.triggered) && ((e.keyCode === 9 /* Escape */ || e.keyCode === 1 /* Backspace */) && !e.altKey && !e.ctrlKey && !e.metaKey) || (e.keyCode === 1 /* Backspace */ && (__WEBPACK_IMPORTED_MODULE_14__common_platform_js__["d" /* isMacintosh */] ? e.altKey : e.ctrlKey) && !e.shiftKey)); }) .forEach(function (e) { e.stopPropagation(); e.preventDefault(); }) .event; var onClear = Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(this.clearDomNode, 'click'); __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].chain(__WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].any(onKeyDown, onClear)) .event(this.onEventOrInput, this, this.enabledDisposables); this.filter.pattern = ''; this.tree.refilter(); this.render(); this._enabled = true; this.triggered = false; }; TypeFilterController.prototype.disable = function () { if (!this._enabled) { return; } this.domNode.remove(); this.enabledDisposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.enabledDisposables); this.tree.refilter(); this.render(); this._enabled = false; this.triggered = false; }; TypeFilterController.prototype.onEventOrInput = function (e) { if (typeof e === 'string') { this.onInput(e); } else if (e instanceof MouseEvent || e.keyCode === 9 /* Escape */ || (e.keyCode === 1 /* Backspace */ && (__WEBPACK_IMPORTED_MODULE_14__common_platform_js__["d" /* isMacintosh */] ? e.altKey : e.ctrlKey))) { this.onInput(''); } else if (e.keyCode === 1 /* Backspace */) { this.onInput(this.pattern.length === 0 ? '' : this.pattern.substr(0, this.pattern.length - 1)); } else { this.onInput(this.pattern + e.browserEvent.key); } }; TypeFilterController.prototype.onInput = function (pattern) { var container = this.view.getHTMLElement(); if (pattern && !this.domNode.parentElement) { container.append(this.domNode); } else if (!pattern && this.domNode.parentElement) { this.domNode.remove(); this.tree.domFocus(); } this._pattern = pattern; this._onDidChangePattern.fire(pattern); this.filter.pattern = pattern; this.tree.refilter(); if (pattern) { this.tree.focusNext(0, true, undefined, function (node) { return !__WEBPACK_IMPORTED_MODULE_10__common_filters_js__["a" /* FuzzyScore */].isDefault(node.filterData); }); } var focus = this.tree.getFocus(); if (focus.length > 0) { var element = focus[0]; if (this.tree.getRelativeTop(element) === null) { this.tree.reveal(element, 0.5); } } this.render(); if (!pattern) { this.triggered = false; } }; TypeFilterController.prototype.onDragStart = function () { var _this = this; var container = this.view.getHTMLElement(); var left = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["s" /* getDomNodePagePosition */])(container).left; var containerWidth = container.clientWidth; var midContainerWidth = containerWidth / 2; var width = this.domNode.clientWidth; var disposables = []; var positionClassName = this.positionClassName; var updatePosition = function () { switch (positionClassName) { case 'nw': _this.domNode.style.top = "4px"; _this.domNode.style.left = "4px"; break; case 'ne': _this.domNode.style.top = "4px"; _this.domNode.style.left = containerWidth - width - 6 + "px"; break; } }; var onDragOver = function (event) { var x = event.screenX - left; if (event.dataTransfer) { event.dataTransfer.dropEffect = 'none'; } if (x < midContainerWidth) { positionClassName = 'nw'; } else { positionClassName = 'ne'; } updatePosition(); }; var onDragEnd = function () { _this.positionClassName = positionClassName; _this.domNode.className = "monaco-list-type-filter " + _this.positionClassName; _this.domNode.style.top = null; _this.domNode.style.left = null; Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(disposables); }; updatePosition(); Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["D" /* removeClass */])(this.domNode, positionClassName); Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["e" /* addClass */])(this.domNode, 'dragging'); disposables.push(Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["e" /* toDisposable */])(function () { return Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["D" /* removeClass */])(_this.domNode, 'dragging'); })); Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(document, 'dragover')(onDragOver, null, disposables); Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(this.domNode, 'dragend')(onDragEnd, null, disposables); __WEBPACK_IMPORTED_MODULE_6__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData = new __WEBPACK_IMPORTED_MODULE_6__dnd_js__["b" /* DragAndDropData */]('vscode-ui'); disposables.push(Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["e" /* toDisposable */])(function () { return __WEBPACK_IMPORTED_MODULE_6__dnd_js__["c" /* StaticDND */].CurrentDragAndDropData = undefined; })); }; TypeFilterController.prototype.onDidSpliceModel = function () { if (!this._enabled || this.pattern.length === 0) { return; } this.tree.refilter(); this.render(); }; TypeFilterController.prototype.onDidChangeFilterOnType = function () { this.tree.updateOptions({ filterOnType: this.filterOnTypeDomNode.checked }); this.tree.refilter(); this.tree.domFocus(); this.render(); this.updateFilterOnTypeTitle(); }; TypeFilterController.prototype.updateFilterOnTypeTitle = function () { if (this.filterOnType) { this.filterOnTypeDomNode.title = Object(__WEBPACK_IMPORTED_MODULE_12__nls_js__["a" /* localize */])('disable filter on type', "Disable Filter on Type"); } else { this.filterOnTypeDomNode.title = Object(__WEBPACK_IMPORTED_MODULE_12__nls_js__["a" /* localize */])('enable filter on type', "Enable Filter on Type"); } }; TypeFilterController.prototype.render = function () { var noMatches = this.filter.totalCount > 0 && this.filter.matchCount === 0; if (this.pattern && this.tree.options.filterOnType && noMatches) { this.messageDomNode.textContent = Object(__WEBPACK_IMPORTED_MODULE_12__nls_js__["a" /* localize */])('empty', "No elements found"); this._empty = true; } else { this.messageDomNode.innerHTML = ''; this._empty = false; } Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["M" /* toggleClass */])(this.domNode, 'no-matches', noMatches); this.domNode.title = Object(__WEBPACK_IMPORTED_MODULE_12__nls_js__["a" /* localize */])('found', "Matched {0} out of {1} elements", this.filter.matchCount, this.filter.totalCount); this.labelDomNode.textContent = this.pattern.length > 16 ? '…' + this.pattern.substr(this.pattern.length - 16) : this.pattern; this._onDidChangeEmptyState.fire(this._empty); }; TypeFilterController.prototype.shouldAllowFocus = function (node) { if (!this.enabled || !this.pattern || this.filterOnType) { return true; } if (this.filter.totalCount > 0 && this.filter.matchCount <= 1) { return true; } return !__WEBPACK_IMPORTED_MODULE_10__common_filters_js__["a" /* FuzzyScore */].isDefault(node.filterData); }; TypeFilterController.prototype.dispose = function () { this.disable(); this._onDidChangePattern.dispose(); this.disposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return TypeFilterController; }()); function isInputElement(e) { return e.tagName === 'INPUT' || e.tagName === 'TEXTAREA'; } function asTreeMouseEvent(event) { return { browserEvent: event.browserEvent, element: event.element ? event.element.element : null }; } function dfs(node, fn) { fn(node); node.children.forEach(function (child) { return dfs(child, fn); }); } /** * The trait concept needs to exist at the tree level, because collapsed * tree nodes will not be known by the list. */ var Trait = /** @class */ (function () { function Trait(identityProvider) { this.identityProvider = identityProvider; this.nodes = []; this._onDidChange = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["a" /* Emitter */](); this.onDidChange = this._onDidChange.event; } Object.defineProperty(Trait.prototype, "nodeSet", { get: function () { if (!this._nodeSet) { this._nodeSet = this.createNodeSet(); } return this._nodeSet; }, enumerable: true, configurable: true }); Trait.prototype.set = function (nodes, browserEvent) { if (Object(__WEBPACK_IMPORTED_MODULE_7__common_arrays_js__["d" /* equals */])(this.nodes, nodes)) { return; } this.nodes = nodes.slice(); this.elements = undefined; this._nodeSet = undefined; var that = this; this._onDidChange.fire({ get elements() { return that.get(); }, browserEvent: browserEvent }); }; Trait.prototype.get = function () { if (!this.elements) { this.elements = this.nodes.map(function (node) { return node.element; }); } return this.elements.slice(); }; Trait.prototype.has = function (node) { return this.nodeSet.has(node); }; Trait.prototype.onDidModelSplice = function (_a) { var insertedNodes = _a.insertedNodes, deletedNodes = _a.deletedNodes; if (!this.identityProvider) { var set_1 = this.createNodeSet(); var visit_1 = function (node) { return set_1.delete(node); }; deletedNodes.forEach(function (node) { return dfs(node, visit_1); }); this.set(Object(__WEBPACK_IMPORTED_MODULE_15__common_map_js__["e" /* values */])(set_1)); return; } var identityProvider = this.identityProvider; var nodesByIdentity = new Map(); this.nodes.forEach(function (node) { return nodesByIdentity.set(identityProvider.getId(node.element).toString(), node); }); var toDeleteByIdentity = new Map(); var toRemoveSetter = function (node) { return toDeleteByIdentity.set(identityProvider.getId(node.element).toString(), node); }; var toRemoveDeleter = function (node) { return toDeleteByIdentity.delete(identityProvider.getId(node.element).toString()); }; deletedNodes.forEach(function (node) { return dfs(node, toRemoveSetter); }); insertedNodes.forEach(function (node) { return dfs(node, toRemoveDeleter); }); toDeleteByIdentity.forEach(function (_, id) { return nodesByIdentity.delete(id); }); this.set(Object(__WEBPACK_IMPORTED_MODULE_15__common_map_js__["e" /* values */])(nodesByIdentity)); }; Trait.prototype.createNodeSet = function () { var set = new Set(); for (var _i = 0, _a = this.nodes; _i < _a.length; _i++) { var node = _a[_i]; set.add(node); } return set; }; return Trait; }()); var TreeNodeListMouseController = /** @class */ (function (_super) { __extends(TreeNodeListMouseController, _super); function TreeNodeListMouseController(list, tree) { var _this = _super.call(this, list) || this; _this.tree = tree; return _this; } TreeNodeListMouseController.prototype.onPointer = function (e) { if (isInputElement(e.browserEvent.target)) { return; } var node = e.element; if (!node) { return _super.prototype.onPointer.call(this, e); } if (this.isSelectionRangeChangeEvent(e) || this.isSelectionSingleChangeEvent(e)) { return _super.prototype.onPointer.call(this, e); } var onTwistie = Object(__WEBPACK_IMPORTED_MODULE_3__dom_js__["x" /* hasClass */])(e.browserEvent.target, 'monaco-tl-twistie'); if (!this.tree.openOnSingleClick && e.browserEvent.detail !== 2 && !onTwistie) { return _super.prototype.onPointer.call(this, e); } var expandOnlyOnTwistieClick = false; if (typeof this.tree.expandOnlyOnTwistieClick === 'function') { expandOnlyOnTwistieClick = this.tree.expandOnlyOnTwistieClick(node.element); } else { expandOnlyOnTwistieClick = !!this.tree.expandOnlyOnTwistieClick; } if (expandOnlyOnTwistieClick && !onTwistie) { return _super.prototype.onPointer.call(this, e); } var model = this.tree.model; // internal var location = model.getNodeLocation(node); var recursive = e.browserEvent.altKey; model.setCollapsed(location, undefined, recursive); if (expandOnlyOnTwistieClick && onTwistie) { return; } _super.prototype.onPointer.call(this, e); }; return TreeNodeListMouseController; }(__WEBPACK_IMPORTED_MODULE_2__list_listWidget_js__["c" /* MouseController */])); /** * We use this List subclass to restore selection and focus as nodes * get rendered in the list, possibly due to a node expand() call. */ var TreeNodeList = /** @class */ (function (_super) { __extends(TreeNodeList, _super); function TreeNodeList(container, virtualDelegate, renderers, focusTrait, selectionTrait, options) { var _this = _super.call(this, container, virtualDelegate, renderers, options) || this; _this.focusTrait = focusTrait; _this.selectionTrait = selectionTrait; return _this; } TreeNodeList.prototype.createMouseController = function (options) { return new TreeNodeListMouseController(this, options.tree); }; TreeNodeList.prototype.splice = function (start, deleteCount, elements) { var _this = this; if (elements === void 0) { elements = []; } _super.prototype.splice.call(this, start, deleteCount, elements); if (elements.length === 0) { return; } var additionalFocus = []; var additionalSelection = []; elements.forEach(function (node, index) { if (_this.selectionTrait.has(node)) { additionalFocus.push(start + index); } if (_this.selectionTrait.has(node)) { additionalSelection.push(start + index); } }); if (additionalFocus.length > 0) { _super.prototype.setFocus.call(this, _super.prototype.getFocus.call(this).concat(additionalFocus)); } if (additionalSelection.length > 0) { _super.prototype.setSelection.call(this, _super.prototype.getSelection.call(this).concat(additionalSelection)); } }; TreeNodeList.prototype.setFocus = function (indexes, browserEvent, fromAPI) { var _this = this; if (fromAPI === void 0) { fromAPI = false; } _super.prototype.setFocus.call(this, indexes, browserEvent); if (!fromAPI) { this.focusTrait.set(indexes.map(function (i) { return _this.element(i); }), browserEvent); } }; TreeNodeList.prototype.setSelection = function (indexes, browserEvent, fromAPI) { var _this = this; if (fromAPI === void 0) { fromAPI = false; } _super.prototype.setSelection.call(this, indexes, browserEvent); if (!fromAPI) { this.selectionTrait.set(indexes.map(function (i) { return _this.element(i); }), browserEvent); } }; return TreeNodeList; }(__WEBPACK_IMPORTED_MODULE_2__list_listWidget_js__["b" /* List */])); var AbstractTree = /** @class */ (function () { function AbstractTree(container, delegate, renderers, _options) { var _a; if (_options === void 0) { _options = {}; } var _this = this; this._options = _options; this.eventBufferer = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["c" /* EventBufferer */](); this.disposables = []; this._onWillRefilter = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["a" /* Emitter */](); this.onWillRefilter = this._onWillRefilter.event; this._onDidUpdateOptions = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["a" /* Emitter */](); var treeDelegate = new ComposedTreeDelegate(delegate); var onDidChangeCollapseStateRelay = new __WEBPACK_IMPORTED_MODULE_4__common_event_js__["d" /* Relay */](); this.renderers = renderers.map(function (r) { return new TreeRenderer(r, onDidChangeCollapseStateRelay.event, _options); }); (_a = this.disposables).push.apply(_a, this.renderers); var filter; if (_options.keyboardNavigationLabelProvider) { filter = new TypeFilter(this, _options.keyboardNavigationLabelProvider, _options.filter); _options = __assign({}, _options, { filter: filter }); // TODO need typescript help here this.disposables.push(filter); } this.focus = new Trait(_options.identityProvider); this.selection = new Trait(_options.identityProvider); this.view = new TreeNodeList(container, treeDelegate, this.renderers, this.focus, this.selection, __assign({}, asListOptions(function () { return _this.model; }, _options), { tree: this })); this.model = this.createModel(this.view, _options); onDidChangeCollapseStateRelay.input = this.model.onDidChangeCollapseState; this.model.onDidSplice(function (e) { _this.focus.onDidModelSplice(e); _this.selection.onDidModelSplice(e); }, null, this.disposables); if (_options.keyboardSupport !== false) { var onKeyDown = __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].chain(this.view.onKeyDown) .filter(function (e) { return !isInputElement(e.target); }) .map(function (e) { return new __WEBPACK_IMPORTED_MODULE_5__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); }); onKeyDown.filter(function (e) { return e.keyCode === 15 /* LeftArrow */; }).on(this.onLeftArrow, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 17 /* RightArrow */; }).on(this.onRightArrow, this, this.disposables); onKeyDown.filter(function (e) { return e.keyCode === 10 /* Space */; }).on(this.onSpace, this, this.disposables); } if (_options.keyboardNavigationLabelProvider) { this.typeFilterController = new TypeFilterController(this, this.model, this.view, filter, _options.keyboardNavigationLabelProvider); this.focusNavigationFilter = function (node) { return _this.typeFilterController.shouldAllowFocus(node); }; this.disposables.push(this.typeFilterController); } } Object.defineProperty(AbstractTree.prototype, "onDidChangeFocus", { get: function () { return this.eventBufferer.wrapEvent(this.focus.onDidChange); }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "onDidChangeSelection", { get: function () { return this.eventBufferer.wrapEvent(this.selection.onDidChange); }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "onMouseDblClick", { get: function () { return __WEBPACK_IMPORTED_MODULE_4__common_event_js__["b" /* Event */].map(this.view.onMouseDblClick, asTreeMouseEvent); }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "onDidFocus", { get: function () { return this.view.onDidFocus; }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "onDidChangeCollapseState", { get: function () { return this.model.onDidChangeCollapseState; }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "openOnSingleClick", { // Options TODO@joao expose options only, not Optional<> get: function () { return typeof this._options.openOnSingleClick === 'undefined' ? true : this._options.openOnSingleClick; }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "expandOnlyOnTwistieClick", { get: function () { return typeof this._options.expandOnlyOnTwistieClick === 'undefined' ? false : this._options.expandOnlyOnTwistieClick; }, enumerable: true, configurable: true }); Object.defineProperty(AbstractTree.prototype, "onDidDispose", { get: function () { return this.view.onDidDispose; }, enumerable: true, configurable: true }); AbstractTree.prototype.updateOptions = function (optionsUpdate) { if (optionsUpdate === void 0) { optionsUpdate = {}; } this._options = __assign({}, this._options, optionsUpdate); for (var _i = 0, _a = this.renderers; _i < _a.length; _i++) { var renderer = _a[_i]; renderer.updateOptions(optionsUpdate); } this.view.updateOptions({ enableKeyboardNavigation: this._options.simpleKeyboardNavigation, automaticKeyboardNavigation: this._options.automaticKeyboardNavigation }); if (this.typeFilterController) { this.typeFilterController.updateOptions(this._options); } this._onDidUpdateOptions.fire(this._options); }; Object.defineProperty(AbstractTree.prototype, "options", { get: function () { return this._options; }, enumerable: true, configurable: true }); // Widget AbstractTree.prototype.getHTMLElement = function () { return this.view.getHTMLElement(); }; Object.defineProperty(AbstractTree.prototype, "scrollTop", { get: function () { return this.view.scrollTop; }, set: function (scrollTop) { this.view.scrollTop = scrollTop; }, enumerable: true, configurable: true }); AbstractTree.prototype.domFocus = function () { this.view.domFocus(); }; AbstractTree.prototype.layout = function (height, width) { this.view.layout(height, width); }; AbstractTree.prototype.style = function (styles) { this.view.style(styles); }; // Tree AbstractTree.prototype.getNode = function (location) { return this.model.getNode(location); }; AbstractTree.prototype.collapse = function (location, recursive) { if (recursive === void 0) { recursive = false; } return this.model.setCollapsed(location, true, recursive); }; AbstractTree.prototype.expand = function (location, recursive) { if (recursive === void 0) { recursive = false; } return this.model.setCollapsed(location, false, recursive); }; AbstractTree.prototype.isCollapsed = function (location) { return this.model.isCollapsed(location); }; AbstractTree.prototype.refilter = function () { this._onWillRefilter.fire(undefined); this.model.refilter(); }; AbstractTree.prototype.setSelection = function (elements, browserEvent) { var _this = this; var nodes = elements.map(function (e) { return _this.model.getNode(e); }); this.selection.set(nodes, browserEvent); var indexes = elements.map(function (e) { return _this.model.getListIndex(e); }).filter(function (i) { return i > -1; }); this.view.setSelection(indexes, browserEvent, true); }; AbstractTree.prototype.getSelection = function () { return this.selection.get(); }; AbstractTree.prototype.setFocus = function (elements, browserEvent) { var _this = this; var nodes = elements.map(function (e) { return _this.model.getNode(e); }); this.focus.set(nodes, browserEvent); var indexes = elements.map(function (e) { return _this.model.getListIndex(e); }).filter(function (i) { return i > -1; }); this.view.setFocus(indexes, browserEvent, true); }; AbstractTree.prototype.focusNext = function (n, loop, browserEvent, filter) { if (n === void 0) { n = 1; } if (loop === void 0) { loop = false; } if (filter === void 0) { filter = this.focusNavigationFilter; } this.view.focusNext(n, loop, browserEvent, filter); }; AbstractTree.prototype.getFocus = function () { return this.focus.get(); }; AbstractTree.prototype.reveal = function (location, relativeTop) { this.model.expandTo(location); var index = this.model.getListIndex(location); if (index === -1) { return; } this.view.reveal(index, relativeTop); }; /** * Returns the relative position of an element rendered in the list. * Returns `null` if the element isn't *entirely* in the visible viewport. */ AbstractTree.prototype.getRelativeTop = function (location) { var index = this.model.getListIndex(location); if (index === -1) { return null; } return this.view.getRelativeTop(index); }; // List AbstractTree.prototype.onLeftArrow = function (e) { e.preventDefault(); e.stopPropagation(); var nodes = this.view.getFocusedElements(); if (nodes.length === 0) { return; } var node = nodes[0]; var location = this.model.getNodeLocation(node); var didChange = this.model.setCollapsed(location, true); if (!didChange) { var parentLocation = this.model.getParentNodeLocation(location); if (parentLocation === null) { return; } var parentListIndex = this.model.getListIndex(parentLocation); this.view.reveal(parentListIndex); this.view.setFocus([parentListIndex]); } }; AbstractTree.prototype.onRightArrow = function (e) { e.preventDefault(); e.stopPropagation(); var nodes = this.view.getFocusedElements(); if (nodes.length === 0) { return; } var node = nodes[0]; var location = this.model.getNodeLocation(node); var didChange = this.model.setCollapsed(location, false); if (!didChange) { if (!node.children.some(function (child) { return child.visible; })) { return; } var focusedIndex = this.view.getFocus()[0]; var firstChildIndex = focusedIndex + 1; this.view.reveal(firstChildIndex); this.view.setFocus([firstChildIndex]); } }; AbstractTree.prototype.onSpace = function (e) { e.preventDefault(); e.stopPropagation(); var nodes = this.view.getFocusedElements(); if (nodes.length === 0) { return; } var node = nodes[0]; var location = this.model.getNodeLocation(node); var recursive = e.browserEvent.altKey; this.model.setCollapsed(location, undefined, recursive); }; AbstractTree.prototype.dispose = function () { this.disposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.disposables); this.view.dispose(); }; return AbstractTree; }()); /***/ }), /***/ 1725: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["c"] = isFilterResult; /* harmony export (immutable) */ __webpack_exports__["b"] = getVisibleState; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IndexTreeModel; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__ = __webpack_require__(1392); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function isFilterResult(obj) { return typeof obj === 'object' && 'visibility' in obj && 'data' in obj; } function getVisibleState(visibility) { switch (visibility) { case true: return 1 /* Visible */; case false: return 0 /* Hidden */; default: return visibility; } } function treeNodeToElement(node) { var element = node.element, collapsed = node.collapsed; var children = __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].map(__WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].fromArray(node.children), treeNodeToElement); return { element: element, children: children, collapsed: collapsed }; } var IndexTreeModel = /** @class */ (function () { function IndexTreeModel(list, rootElement, options) { if (options === void 0) { options = {}; } this.list = list; this.eventBufferer = new __WEBPACK_IMPORTED_MODULE_1__common_event_js__["c" /* EventBufferer */](); this._onDidChangeCollapseState = new __WEBPACK_IMPORTED_MODULE_1__common_event_js__["a" /* Emitter */](); this.onDidChangeCollapseState = this.eventBufferer.wrapEvent(this._onDidChangeCollapseState.event); this._onDidChangeRenderNodeCount = new __WEBPACK_IMPORTED_MODULE_1__common_event_js__["a" /* Emitter */](); this.onDidChangeRenderNodeCount = this.eventBufferer.wrapEvent(this._onDidChangeRenderNodeCount.event); this._onDidSplice = new __WEBPACK_IMPORTED_MODULE_1__common_event_js__["a" /* Emitter */](); this.onDidSplice = this._onDidSplice.event; this.collapseByDefault = typeof options.collapseByDefault === 'undefined' ? false : options.collapseByDefault; this.filter = options.filter; this.autoExpandSingleChildren = typeof options.autoExpandSingleChildren === 'undefined' ? false : options.autoExpandSingleChildren; this.root = { parent: undefined, element: rootElement, children: [], depth: 0, visibleChildrenCount: 0, visibleChildIndex: -1, collapsible: false, collapsed: false, renderNodeCount: 0, visible: true, filterData: undefined }; } IndexTreeModel.prototype.splice = function (location, deleteCount, toInsert, onDidCreateNode, onDidDeleteNode) { var _this = this; var _a; if (location.length === 0) { throw new Error('Invalid tree location'); } var _b = this.getParentNodeWithListIndex(location), parentNode = _b.parentNode, listIndex = _b.listIndex, revealed = _b.revealed, visible = _b.visible; var treeListElementsToInsert = []; var nodesToInsertIterator = __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].map(__WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].from(toInsert), function (el) { return _this.createTreeNode(el, parentNode, parentNode.visible ? 1 /* Visible */ : 0 /* Hidden */, revealed, treeListElementsToInsert, onDidCreateNode); }); var lastIndex = location[location.length - 1]; // figure out what's the visible child start index right before the // splice point var visibleChildStartIndex = 0; for (var i = lastIndex; i >= 0 && i < parentNode.children.length; i--) { var child = parentNode.children[i]; if (child.visible) { visibleChildStartIndex = child.visibleChildIndex; break; } } var nodesToInsert = []; var insertedVisibleChildrenCount = 0; var renderNodeCount = 0; __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].forEach(nodesToInsertIterator, function (child) { nodesToInsert.push(child); renderNodeCount += child.renderNodeCount; if (child.visible) { child.visibleChildIndex = visibleChildStartIndex + insertedVisibleChildrenCount++; } }); var deletedNodes = (_a = parentNode.children).splice.apply(_a, [lastIndex, deleteCount].concat(nodesToInsert)); // figure out what is the count of deleted visible children var deletedVisibleChildrenCount = 0; for (var _i = 0, deletedNodes_1 = deletedNodes; _i < deletedNodes_1.length; _i++) { var child = deletedNodes_1[_i]; if (child.visible) { deletedVisibleChildrenCount++; } } // and adjust for all visible children after the splice point if (deletedVisibleChildrenCount !== 0) { for (var i = lastIndex + nodesToInsert.length; i < parentNode.children.length; i++) { var child = parentNode.children[i]; if (child.visible) { child.visibleChildIndex -= deletedVisibleChildrenCount; } } } // update parent's visible children count parentNode.visibleChildrenCount += insertedVisibleChildrenCount - deletedVisibleChildrenCount; if (revealed && visible) { var visibleDeleteCount = deletedNodes.reduce(function (r, node) { return r + node.renderNodeCount; }, 0); this._updateAncestorsRenderNodeCount(parentNode, renderNodeCount - visibleDeleteCount); this.list.splice(listIndex, visibleDeleteCount, treeListElementsToInsert); } if (deletedNodes.length > 0 && onDidDeleteNode) { var visit_1 = function (node) { onDidDeleteNode(node); node.children.forEach(visit_1); }; deletedNodes.forEach(visit_1); } var result = __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].map(__WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].fromArray(deletedNodes), treeNodeToElement); this._onDidSplice.fire({ insertedNodes: nodesToInsert, deletedNodes: deletedNodes }); return result; }; IndexTreeModel.prototype.rerender = function (location) { if (location.length === 0) { throw new Error('Invalid tree location'); } var _a = this.getTreeNodeWithListIndex(location), node = _a.node, listIndex = _a.listIndex, revealed = _a.revealed; if (revealed) { this.list.splice(listIndex, 1, [node]); } }; IndexTreeModel.prototype.getListIndex = function (location) { var _a = this.getTreeNodeWithListIndex(location), listIndex = _a.listIndex, visible = _a.visible, revealed = _a.revealed; return visible && revealed ? listIndex : -1; }; IndexTreeModel.prototype.getListRenderCount = function (location) { return this.getTreeNode(location).renderNodeCount; }; IndexTreeModel.prototype.isCollapsed = function (location) { return this.getTreeNode(location).collapsed; }; IndexTreeModel.prototype.setCollapsed = function (location, collapsed, recursive) { var _this = this; var node = this.getTreeNode(location); if (typeof collapsed === 'undefined') { collapsed = !node.collapsed; } return this.eventBufferer.bufferEvents(function () { return _this._setCollapsed(location, collapsed, recursive); }); }; IndexTreeModel.prototype._setCollapsed = function (location, collapsed, recursive) { var _a = this.getTreeNodeWithListIndex(location), node = _a.node, listIndex = _a.listIndex, revealed = _a.revealed; var result = this._setListNodeCollapsed(node, listIndex, revealed, collapsed, recursive || false); if (this.autoExpandSingleChildren && !collapsed && !recursive) { var onlyVisibleChildIndex = -1; for (var i = 0; i < node.children.length; i++) { var child = node.children[i]; if (child.visible) { if (onlyVisibleChildIndex > -1) { onlyVisibleChildIndex = -1; break; } else { onlyVisibleChildIndex = i; } } } if (onlyVisibleChildIndex > -1) { this._setCollapsed(location.concat([onlyVisibleChildIndex]), false, false); } } return result; }; IndexTreeModel.prototype._setListNodeCollapsed = function (node, listIndex, revealed, collapsed, recursive) { var result = this._setNodeCollapsed(node, collapsed, recursive, false); if (!revealed || !node.visible) { return result; } var previousRenderNodeCount = node.renderNodeCount; var toInsert = this.updateNodeAfterCollapseChange(node); var deleteCount = previousRenderNodeCount - (listIndex === -1 ? 0 : 1); this.list.splice(listIndex + 1, deleteCount, toInsert.slice(1)); return result; }; IndexTreeModel.prototype._setNodeCollapsed = function (node, collapsed, recursive, deep) { var result = node.collapsible && node.collapsed !== collapsed; if (node.collapsible) { node.collapsed = collapsed; if (result) { this._onDidChangeCollapseState.fire({ node: node, deep: deep }); } } if (recursive) { for (var _i = 0, _a = node.children; _i < _a.length; _i++) { var child = _a[_i]; result = this._setNodeCollapsed(child, collapsed, true, true) || result; } } return result; }; IndexTreeModel.prototype.expandTo = function (location) { var _this = this; this.eventBufferer.bufferEvents(function () { var node = _this.getTreeNode(location); while (node.parent) { node = node.parent; location = location.slice(0, location.length - 1); if (node.collapsed) { _this._setCollapsed(location, false); } } }); }; IndexTreeModel.prototype.refilter = function () { var previousRenderNodeCount = this.root.renderNodeCount; var toInsert = this.updateNodeAfterFilterChange(this.root); this.list.splice(0, previousRenderNodeCount, toInsert); }; IndexTreeModel.prototype.createTreeNode = function (treeElement, parent, parentVisibility, revealed, treeListElements, onDidCreateNode) { var _this = this; var node = { parent: parent, element: treeElement.element, children: [], depth: parent.depth + 1, visibleChildrenCount: 0, visibleChildIndex: -1, collapsible: typeof treeElement.collapsible === 'boolean' ? treeElement.collapsible : (typeof treeElement.collapsed !== 'undefined'), collapsed: typeof treeElement.collapsed === 'undefined' ? this.collapseByDefault : treeElement.collapsed, renderNodeCount: 1, visible: true, filterData: undefined }; var visibility = this._filterNode(node, parentVisibility); if (revealed) { treeListElements.push(node); } var childElements = __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].from(treeElement.children); var childRevealed = revealed && visibility !== 0 /* Hidden */ && !node.collapsed; var childNodes = __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].map(childElements, function (el) { return _this.createTreeNode(el, node, visibility, childRevealed, treeListElements, onDidCreateNode); }); var visibleChildrenCount = 0; var renderNodeCount = 1; __WEBPACK_IMPORTED_MODULE_2__common_iterator_js__["b" /* Iterator */].forEach(childNodes, function (child) { node.children.push(child); renderNodeCount += child.renderNodeCount; if (child.visible) { child.visibleChildIndex = visibleChildrenCount++; } }); node.collapsible = node.collapsible || node.children.length > 0; node.visibleChildrenCount = visibleChildrenCount; node.visible = visibility === 2 /* Recurse */ ? visibleChildrenCount > 0 : (visibility === 1 /* Visible */); if (!node.visible) { node.renderNodeCount = 0; if (revealed) { treeListElements.pop(); } } else if (!node.collapsed) { node.renderNodeCount = renderNodeCount; } if (onDidCreateNode) { onDidCreateNode(node); } return node; }; IndexTreeModel.prototype.updateNodeAfterCollapseChange = function (node) { var previousRenderNodeCount = node.renderNodeCount; var result = []; this._updateNodeAfterCollapseChange(node, result); this._updateAncestorsRenderNodeCount(node.parent, result.length - previousRenderNodeCount); return result; }; IndexTreeModel.prototype._updateNodeAfterCollapseChange = function (node, result) { if (node.visible === false) { return 0; } result.push(node); node.renderNodeCount = 1; if (!node.collapsed) { for (var _i = 0, _a = node.children; _i < _a.length; _i++) { var child = _a[_i]; node.renderNodeCount += this._updateNodeAfterCollapseChange(child, result); } } this._onDidChangeRenderNodeCount.fire(node); return node.renderNodeCount; }; IndexTreeModel.prototype.updateNodeAfterFilterChange = function (node) { var previousRenderNodeCount = node.renderNodeCount; var result = []; this._updateNodeAfterFilterChange(node, node.visible ? 1 /* Visible */ : 0 /* Hidden */, result); this._updateAncestorsRenderNodeCount(node.parent, result.length - previousRenderNodeCount); return result; }; IndexTreeModel.prototype._updateNodeAfterFilterChange = function (node, parentVisibility, result, revealed) { if (revealed === void 0) { revealed = true; } var visibility; if (node !== this.root) { visibility = this._filterNode(node, parentVisibility); if (visibility === 0 /* Hidden */) { node.visible = false; return false; } if (revealed) { result.push(node); } } var resultStartLength = result.length; node.renderNodeCount = node === this.root ? 0 : 1; var hasVisibleDescendants = false; if (!node.collapsed || visibility !== 0 /* Hidden */) { var visibleChildIndex = 0; for (var _i = 0, _a = node.children; _i < _a.length; _i++) { var child = _a[_i]; hasVisibleDescendants = this._updateNodeAfterFilterChange(child, visibility, result, revealed && !node.collapsed) || hasVisibleDescendants; if (child.visible) { child.visibleChildIndex = visibleChildIndex++; } } node.visibleChildrenCount = visibleChildIndex; } else { node.visibleChildrenCount = 0; } if (node !== this.root) { node.visible = visibility === 2 /* Recurse */ ? hasVisibleDescendants : (visibility === 1 /* Visible */); } if (!node.visible) { node.renderNodeCount = 0; if (revealed) { result.pop(); } } else if (!node.collapsed) { node.renderNodeCount += result.length - resultStartLength; } this._onDidChangeRenderNodeCount.fire(node); return node.visible; }; IndexTreeModel.prototype._updateAncestorsRenderNodeCount = function (node, diff) { if (diff === 0) { return; } while (node) { node.renderNodeCount += diff; this._onDidChangeRenderNodeCount.fire(node); node = node.parent; } }; IndexTreeModel.prototype._filterNode = function (node, parentVisibility) { var result = this.filter ? this.filter.filter(node.element, parentVisibility) : 1 /* Visible */; if (typeof result === 'boolean') { node.filterData = undefined; return result ? 1 /* Visible */ : 0 /* Hidden */; } else if (isFilterResult(result)) { node.filterData = result.data; return getVisibleState(result.visibility); } else { node.filterData = undefined; return getVisibleState(result); } }; // cheap IndexTreeModel.prototype.getTreeNode = function (location, node) { if (node === void 0) { node = this.root; } if (!location || location.length === 0) { return node; } var index = location[0], rest = location.slice(1); if (index < 0 || index > node.children.length) { throw new Error('Invalid tree location'); } return this.getTreeNode(rest, node.children[index]); }; // expensive IndexTreeModel.prototype.getTreeNodeWithListIndex = function (location) { if (location.length === 0) { return { node: this.root, listIndex: -1, revealed: true, visible: false }; } var _a = this.getParentNodeWithListIndex(location), parentNode = _a.parentNode, listIndex = _a.listIndex, revealed = _a.revealed, visible = _a.visible; var index = location[location.length - 1]; if (index < 0 || index > parentNode.children.length) { throw new Error('Invalid tree location'); } var node = parentNode.children[index]; return { node: node, listIndex: listIndex, revealed: revealed, visible: visible && node.visible }; }; IndexTreeModel.prototype.getParentNodeWithListIndex = function (location, node, listIndex, revealed, visible) { if (node === void 0) { node = this.root; } if (listIndex === void 0) { listIndex = 0; } if (revealed === void 0) { revealed = true; } if (visible === void 0) { visible = true; } var index = location[0], rest = location.slice(1); if (index < 0 || index > node.children.length) { throw new Error('Invalid tree location'); } // TODO@joao perf! for (var i = 0; i < index; i++) { listIndex += node.children[i].renderNodeCount; } revealed = revealed && !node.collapsed; visible = visible && node.visible; if (rest.length === 0) { return { parentNode: node, listIndex: listIndex, revealed: revealed, visible: visible }; } return this.getParentNodeWithListIndex(rest, node.children[index], listIndex + 1, revealed, visible); }; IndexTreeModel.prototype.getNode = function (location) { if (location === void 0) { location = []; } return this.getTreeNode(location); }; // TODO@joao perf! IndexTreeModel.prototype.getNodeLocation = function (node) { var location = []; while (node.parent) { location.push(node.parent.children.indexOf(node)); node = node.parent; } return location.reverse(); }; IndexTreeModel.prototype.getParentNodeLocation = function (location) { if (location.length <= 1) { return []; } return Object(__WEBPACK_IMPORTED_MODULE_0__common_arrays_js__["k" /* tail2 */])(location)[0]; }; return IndexTreeModel; }()); /***/ }), /***/ 1726: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IStorageService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return InMemoryStorageService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_types_js__ = __webpack_require__(1057); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var IStorageService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('storageService'); var InMemoryStorageService = /** @class */ (function (_super) { __extends(InMemoryStorageService, _super); function InMemoryStorageService() { var _this = _super !== null && _super.apply(this, arguments) || this; _this._serviceBrand = undefined; _this._onDidChangeStorage = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onWillSaveState = __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["b" /* Event */].None; _this.globalCache = new Map(); _this.workspaceCache = new Map(); return _this; } Object.defineProperty(InMemoryStorageService.prototype, "onDidChangeStorage", { get: function () { return this._onDidChangeStorage.event; }, enumerable: true, configurable: true }); InMemoryStorageService.prototype.getCache = function (scope) { return scope === 0 /* GLOBAL */ ? this.globalCache : this.workspaceCache; }; InMemoryStorageService.prototype.get = function (key, scope, fallbackValue) { var value = this.getCache(scope).get(key); if (Object(__WEBPACK_IMPORTED_MODULE_3__base_common_types_js__["k" /* isUndefinedOrNull */])(value)) { return fallbackValue; } return value; }; InMemoryStorageService.prototype.getBoolean = function (key, scope, fallbackValue) { var value = this.getCache(scope).get(key); if (Object(__WEBPACK_IMPORTED_MODULE_3__base_common_types_js__["k" /* isUndefinedOrNull */])(value)) { return fallbackValue; } return value === 'true'; }; InMemoryStorageService.prototype.store = function (key, value, scope) { // We remove the key for undefined/null values if (Object(__WEBPACK_IMPORTED_MODULE_3__base_common_types_js__["k" /* isUndefinedOrNull */])(value)) { return this.remove(key, scope); } // Otherwise, convert to String and store var valueStr = String(value); // Return early if value already set var currentValue = this.getCache(scope).get(key); if (currentValue === valueStr) { return Promise.resolve(); } // Update in cache this.getCache(scope).set(key, valueStr); // Events this._onDidChangeStorage.fire({ scope: scope, key: key }); return Promise.resolve(); }; InMemoryStorageService.prototype.remove = function (key, scope) { var wasDeleted = this.getCache(scope).delete(key); if (!wasDeleted) { return Promise.resolve(); // Return early if value already deleted } // Events this._onDidChangeStorage.fire({ scope: scope, key: key }); return Promise.resolve(); }; return InMemoryStorageService; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1727: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _processSize = __webpack_require__(2088); Object.keys(_processSize).forEach(function (key) { if (key === "default" || key === "__esModule") return; Object.defineProperty(exports, key, { enumerable: true, get: function get() { return _processSize[key]; } }); }); /***/ }), /***/ 1769: /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(global) {var scope = (typeof global !== "undefined" && global) || (typeof self !== "undefined" && self) || window; var apply = Function.prototype.apply; // DOM APIs, for completeness exports.setTimeout = function() { return new Timeout(apply.call(setTimeout, scope, arguments), clearTimeout); }; exports.setInterval = function() { return new Timeout(apply.call(setInterval, scope, arguments), clearInterval); }; exports.clearTimeout = exports.clearInterval = function(timeout) { if (timeout) { timeout.close(); } }; function Timeout(id, clearFn) { this._id = id; this._clearFn = clearFn; } Timeout.prototype.unref = Timeout.prototype.ref = function() {}; Timeout.prototype.close = function() { this._clearFn.call(scope, this._id); }; // Does not start the time, just sets up the members needed. exports.enroll = function(item, msecs) { clearTimeout(item._idleTimeoutId); item._idleTimeout = msecs; }; exports.unenroll = function(item) { clearTimeout(item._idleTimeoutId); item._idleTimeout = -1; }; exports._unrefActive = exports.active = function(item) { clearTimeout(item._idleTimeoutId); var msecs = item._idleTimeout; if (msecs >= 0) { item._idleTimeoutId = setTimeout(function onTimeout() { if (item._onTimeout) item._onTimeout(); }, msecs); } }; // setimmediate attaches itself to the global object __webpack_require__(1770); // On some exotic environments, it's not clear which object `setimmediate` was // able to install onto. Search each possibility in the same order as the // `setimmediate` library. exports.setImmediate = (typeof self !== "undefined" && self.setImmediate) || (typeof global !== "undefined" && global.setImmediate) || (this && this.setImmediate); exports.clearImmediate = (typeof self !== "undefined" && self.clearImmediate) || (typeof global !== "undefined" && global.clearImmediate) || (this && this.clearImmediate); /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(34))) /***/ }), /***/ 1770: /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(global, process) {(function (global, undefined) { "use strict"; if (global.setImmediate) { return; } var nextHandle = 1; // Spec says greater than zero var tasksByHandle = {}; var currentlyRunningATask = false; var doc = global.document; var registerImmediate; function setImmediate(callback) { // Callback can either be a function or a string if (typeof callback !== "function") { callback = new Function("" + callback); } // Copy function arguments var args = new Array(arguments.length - 1); for (var i = 0; i < args.length; i++) { args[i] = arguments[i + 1]; } // Store and register the task var task = { callback: callback, args: args }; tasksByHandle[nextHandle] = task; registerImmediate(nextHandle); return nextHandle++; } function clearImmediate(handle) { delete tasksByHandle[handle]; } function run(task) { var callback = task.callback; var args = task.args; switch (args.length) { case 0: callback(); break; case 1: callback(args[0]); break; case 2: callback(args[0], args[1]); break; case 3: callback(args[0], args[1], args[2]); break; default: callback.apply(undefined, args); break; } } function runIfPresent(handle) { // From the spec: "Wait until any invocations of this algorithm started before this one have completed." // So if we're currently running a task, we'll need to delay this invocation. if (currentlyRunningATask) { // Delay by doing a setTimeout. setImmediate was tried instead, but in Firefox 7 it generated a // "too much recursion" error. setTimeout(runIfPresent, 0, handle); } else { var task = tasksByHandle[handle]; if (task) { currentlyRunningATask = true; try { run(task); } finally { clearImmediate(handle); currentlyRunningATask = false; } } } } function installNextTickImplementation() { registerImmediate = function(handle) { process.nextTick(function () { runIfPresent(handle); }); }; } function canUsePostMessage() { // The test against `importScripts` prevents this implementation from being installed inside a web worker, // where `global.postMessage` means something completely different and can't be used for this purpose. if (global.postMessage && !global.importScripts) { var postMessageIsAsynchronous = true; var oldOnMessage = global.onmessage; global.onmessage = function() { postMessageIsAsynchronous = false; }; global.postMessage("", "*"); global.onmessage = oldOnMessage; return postMessageIsAsynchronous; } } function installPostMessageImplementation() { // Installs an event handler on `global` for the `message` event: see // * https://developer.mozilla.org/en/DOM/window.postMessage // * http://www.whatwg.org/specs/web-apps/current-work/multipage/comms.html#crossDocumentMessages var messagePrefix = "setImmediate$" + Math.random() + "$"; var onGlobalMessage = function(event) { if (event.source === global && typeof event.data === "string" && event.data.indexOf(messagePrefix) === 0) { runIfPresent(+event.data.slice(messagePrefix.length)); } }; if (global.addEventListener) { global.addEventListener("message", onGlobalMessage, false); } else { global.attachEvent("onmessage", onGlobalMessage); } registerImmediate = function(handle) { global.postMessage(messagePrefix + handle, "*"); }; } function installMessageChannelImplementation() { var channel = new MessageChannel(); channel.port1.onmessage = function(event) { var handle = event.data; runIfPresent(handle); }; registerImmediate = function(handle) { channel.port2.postMessage(handle); }; } function installReadyStateChangeImplementation() { var html = doc.documentElement; registerImmediate = function(handle) { // Create a <script> element; its readystatechange event will be fired asynchronously once it is inserted // into the document. Do so, thus queuing up the task. Remember to clean up once it's been called. var script = doc.createElement("script"); script.onreadystatechange = function () { runIfPresent(handle); script.onreadystatechange = null; html.removeChild(script); script = null; }; html.appendChild(script); }; } function installSetTimeoutImplementation() { registerImmediate = function(handle) { setTimeout(runIfPresent, 0, handle); }; } // If supported, we should attach to the prototype of global, since that is where setTimeout et al. live. var attachTo = Object.getPrototypeOf && Object.getPrototypeOf(global); attachTo = attachTo && attachTo.setTimeout ? attachTo : global; // Don't get fooled by e.g. browserify environments. if ({}.toString.call(global.process) === "[object process]") { // For Node.js before 0.9 installNextTickImplementation(); } else if (canUsePostMessage()) { // For non-IE10 modern browsers installPostMessageImplementation(); } else if (global.MessageChannel) { // For web workers, where supported installMessageChannelImplementation(); } else if (doc && "onreadystatechange" in doc.createElement("script")) { // For IE 6–8 installReadyStateChangeImplementation(); } else { // For older browsers installSetTimeoutImplementation(); } attachTo.setImmediate = setImmediate; attachTo.clearImmediate = clearImmediate; }(typeof self === "undefined" ? typeof global === "undefined" ? this : global : self)); /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(34), __webpack_require__(110))) /***/ }), /***/ 1837: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.MonacoDiffEditor = exports.default = undefined; var _editor = __webpack_require__(1886); var _editor2 = _interopRequireDefault(_editor); var _diff = __webpack_require__(2089); var _diff2 = _interopRequireDefault(_diff); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = _editor2.default; exports.MonacoDiffEditor = _diff2.default; /***/ }), /***/ 1886: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _editor = __webpack_require__(1676); var monaco = _interopRequireWildcard(_editor); var _propTypes = __webpack_require__(1); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(0); var _react2 = _interopRequireDefault(_react); var _utils = __webpack_require__(1727); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } else { var newObj = {}; if (obj != null) { for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key]; } } newObj.default = obj; return newObj; } } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } function noop() {} var MonacoEditor = function (_React$Component) { _inherits(MonacoEditor, _React$Component); function MonacoEditor(props) { _classCallCheck(this, MonacoEditor); var _this = _possibleConstructorReturn(this, (MonacoEditor.__proto__ || Object.getPrototypeOf(MonacoEditor)).call(this, props)); _this.assignRef = function (component) { _this.containerElement = component; }; _this.containerElement = undefined; _this.__current_value = props.value; return _this; } _createClass(MonacoEditor, [{ key: 'componentDidMount', value: function componentDidMount() { this.initMonaco(); } }, { key: 'componentDidUpdate', value: function componentDidUpdate(prevProps) { if (this.props.value !== this.__current_value) { // Always refer to the latest value this.__current_value = this.props.value; // Consider the situation of rendering 1+ times before the editor mounted if (this.editor) { this.__prevent_trigger_change_event = true; this.editor.setValue(this.__current_value); this.__prevent_trigger_change_event = false; } } if (prevProps.language !== this.props.language) { monaco.editor.setModelLanguage(this.editor.getModel(), this.props.language); } if (prevProps.theme !== this.props.theme) { monaco.editor.setTheme(this.props.theme); } if (this.editor && (this.props.width !== prevProps.width || this.props.height !== prevProps.height)) { this.editor.layout(); } if (prevProps.options !== this.props.options) { this.editor.updateOptions(this.props.options); } } }, { key: 'componentWillUnmount', value: function componentWillUnmount() { this.destroyMonaco(); } }, { key: 'destroyMonaco', value: function destroyMonaco() { if (typeof this.editor !== 'undefined') { this.editor.dispose(); } } }, { key: 'initMonaco', value: function initMonaco() { var value = this.props.value !== null ? this.props.value : this.props.defaultValue; var _props = this.props, language = _props.language, theme = _props.theme, options = _props.options; if (this.containerElement) { // Before initializing monaco editor Object.assign(options, this.editorWillMount()); this.editor = monaco.editor.create(this.containerElement, _extends({ value: value, language: language }, options)); if (theme) { monaco.editor.setTheme(theme); } // After initializing monaco editor this.editorDidMount(this.editor); } } }, { key: 'editorWillMount', value: function editorWillMount() { var editorWillMount = this.props.editorWillMount; var options = editorWillMount(monaco); return options || {}; } }, { key: 'editorDidMount', value: function editorDidMount(editor) { var _this2 = this; this.props.editorDidMount(editor, monaco); editor.onDidChangeModelContent(function (event) { var value = editor.getValue(); // Always refer to the latest value _this2.__current_value = value; // Only invoking when user input changed if (!_this2.__prevent_trigger_change_event) { _this2.props.onChange(value, event); } }); } }, { key: 'render', value: function render() { var _props2 = this.props, width = _props2.width, height = _props2.height; var fixedWidth = (0, _utils.processSize)(width); var fixedHeight = (0, _utils.processSize)(height); var style = { width: fixedWidth, height: fixedHeight }; return _react2.default.createElement('div', { ref: this.assignRef, style: style, className: 'react-monaco-editor-container' }); } }]); return MonacoEditor; }(_react2.default.Component); MonacoEditor.propTypes = { width: _propTypes2.default.oneOfType([_propTypes2.default.string, _propTypes2.default.number]), height: _propTypes2.default.oneOfType([_propTypes2.default.string, _propTypes2.default.number]), value: _propTypes2.default.string, defaultValue: _propTypes2.default.string, language: _propTypes2.default.string, theme: _propTypes2.default.string, options: _propTypes2.default.object, editorDidMount: _propTypes2.default.func, editorWillMount: _propTypes2.default.func, onChange: _propTypes2.default.func }; MonacoEditor.defaultProps = { width: '100%', height: '100%', value: null, defaultValue: '', language: 'javascript', theme: null, options: {}, editorDidMount: noop, editorWillMount: noop, onChange: noop }; exports.default = MonacoEditor; /***/ }), /***/ 1887: /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(setImmediate, global) {/*! Copyright (c) 2014 Taylor Hakes Copyright (c) 2014 Forbes Lindesay */ (function (global, factory) { true ? factory() : typeof define === 'function' && define.amd ? define(factory) : (factory()); }(this, (function () { 'use strict'; /** * @this {Promise} */ function finallyConstructor(callback) { var constructor = this.constructor; return this.then( function (value) { return constructor.resolve(callback()).then(function () { return value; }); }, function (reason) { return constructor.resolve(callback()).then(function () { return constructor.reject(reason); }); } ); } // Store setTimeout reference so promise-polyfill will be unaffected by // other code modifying setTimeout (like sinon.useFakeTimers()) var setTimeoutFunc = setTimeout; function noop() { } // Polyfill for Function.prototype.bind function bind(fn, thisArg) { return function () { fn.apply(thisArg, arguments); }; } /** * @constructor * @param {Function} fn */ function Promise(fn) { if (!(this instanceof Promise)) throw new TypeError('Promises must be constructed via new'); if (typeof fn !== 'function') throw new TypeError('not a function'); /** @type {!number} */ this._state = 0; /** @type {!boolean} */ this._handled = false; /** @type {Promise|undefined} */ this._value = undefined; /** @type {!Array<!Function>} */ this._deferreds = []; doResolve(fn, this); } function handle(self, deferred) { while (self._state === 3) { self = self._value; } if (self._state === 0) { self._deferreds.push(deferred); return; } self._handled = true; Promise._immediateFn(function () { var cb = self._state === 1 ? deferred.onFulfilled : deferred.onRejected; if (cb === null) { (self._state === 1 ? resolve : reject)(deferred.promise, self._value); return; } var ret; try { ret = cb(self._value); } catch (e) { reject(deferred.promise, e); return; } resolve(deferred.promise, ret); }); } function resolve(self, newValue) { try { // Promise Resolution Procedure: https://github.com/promises-aplus/promises-spec#the-promise-resolution-procedure if (newValue === self) throw new TypeError('A promise cannot be resolved with itself.'); if ( newValue && (typeof newValue === 'object' || typeof newValue === 'function') ) { var then = newValue.then; if (newValue instanceof Promise) { self._state = 3; self._value = newValue; finale(self); return; } else if (typeof then === 'function') { doResolve(bind(then, newValue), self); return; } } self._state = 1; self._value = newValue; finale(self); } catch (e) { reject(self, e); } } function reject(self, newValue) { self._state = 2; self._value = newValue; finale(self); } function finale(self) { if (self._state === 2 && self._deferreds.length === 0) { Promise._immediateFn(function () { if (!self._handled) { Promise._unhandledRejectionFn(self._value); } }); } for (var i = 0, len = self._deferreds.length; i < len; i++) { handle(self, self._deferreds[i]); } self._deferreds = null; } /** * @constructor */ function Handler(onFulfilled, onRejected, promise) { this.onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : null; this.onRejected = typeof onRejected === 'function' ? onRejected : null; this.promise = promise; } /** * Take a potentially misbehaving resolver function and make sure * onFulfilled and onRejected are only called once. * * Makes no guarantees about asynchrony. */ function doResolve(fn, self) { var done = false; try { fn( function (value) { if (done) return; done = true; resolve(self, value); }, function (reason) { if (done) return; done = true; reject(self, reason); } ); } catch (ex) { if (done) return; done = true; reject(self, ex); } } Promise.prototype['catch'] = function (onRejected) { return this.then(null, onRejected); }; Promise.prototype.then = function (onFulfilled, onRejected) { // @ts-ignore var prom = new this.constructor(noop); handle(this, new Handler(onFulfilled, onRejected, prom)); return prom; }; Promise.prototype['finally'] = finallyConstructor; Promise.all = function (arr) { return new Promise(function (resolve, reject) { if (!arr || typeof arr.length === 'undefined') throw new TypeError('Promise.all accepts an array'); var args = Array.prototype.slice.call(arr); if (args.length === 0) return resolve([]); var remaining = args.length; function res(i, val) { try { if (val && (typeof val === 'object' || typeof val === 'function')) { var then = val.then; if (typeof then === 'function') { then.call( val, function (val) { res(i, val); }, reject ); return; } } args[i] = val; if (--remaining === 0) { resolve(args); } } catch (ex) { reject(ex); } } for (var i = 0; i < args.length; i++) { res(i, args[i]); } }); }; Promise.resolve = function (value) { if (value && typeof value === 'object' && value.constructor === Promise) { return value; } return new Promise(function (resolve) { resolve(value); }); }; Promise.reject = function (value) { return new Promise(function (resolve, reject) { reject(value); }); }; Promise.race = function (values) { return new Promise(function (resolve, reject) { for (var i = 0, len = values.length; i < len; i++) { values[i].then(resolve, reject); } }); }; // Use polyfill for setImmediate for performance gains Promise._immediateFn = (typeof setImmediate === 'function' && function (fn) { setImmediate(fn); }) || function (fn) { setTimeoutFunc(fn, 0); }; Promise._unhandledRejectionFn = function _unhandledRejectionFn(err) { if (typeof console !== 'undefined' && console) { console.warn('Possible Unhandled Promise Rejection:', err); // eslint-disable-line no-console } }; /** @suppress {undefinedVars} */ var globalNS = (function () { // the only reliable means to get the global object is // `Function('return this')()` // However, this causes CSP violations in Chrome apps. if (typeof self !== 'undefined') { return self; } if (typeof window !== 'undefined') { return window; } if (typeof global !== 'undefined') { return global; } throw new Error('unable to locate global object'); })(); if (!('Promise' in globalNS)) { globalNS['Promise'] = Promise; } else if (!globalNS.Promise.prototype['finally']) { globalNS.Promise.prototype['finally'] = finallyConstructor; } }))); /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(1769).setImmediate, __webpack_require__(34))) /***/ }), /***/ 1888: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = once; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function once(fn) { var _this = this; var didCall = false; var result; return function () { if (didCall) { return result; } didCall = true; result = fn.apply(_this, arguments); return result; }; } /***/ }), /***/ 1889: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export create */ /* unused harmony export onDidCreateEditor */ /* unused harmony export createDiffEditor */ /* unused harmony export createDiffNavigator */ /* unused harmony export createModel */ /* unused harmony export setModelLanguage */ /* unused harmony export setModelMarkers */ /* unused harmony export getModelMarkers */ /* unused harmony export getModel */ /* unused harmony export getModels */ /* unused harmony export onDidCreateModel */ /* unused harmony export onWillDisposeModel */ /* unused harmony export onDidChangeModelLanguage */ /* unused harmony export createWebWorker */ /* unused harmony export colorizeElement */ /* unused harmony export colorize */ /* unused harmony export colorizeModelLine */ /* unused harmony export tokenize */ /* unused harmony export defineTheme */ /* unused harmony export setTheme */ /* unused harmony export remeasureFonts */ /* harmony export (immutable) */ __webpack_exports__["a"] = createMonacoEditorAPI; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__standalone_tokens_css__ = __webpack_require__(1890); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__standalone_tokens_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__standalone_tokens_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__browser_services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__browser_services_openerService_js__ = __webpack_require__(1892); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__browser_widget_diffNavigator_js__ = __webpack_require__(1894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_config_fontInfo_js__ = __webpack_require__(1562); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_editorCommon_js__ = __webpack_require__(1324); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_model_js__ = __webpack_require__(1325); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_modes_nullMode_js__ = __webpack_require__(1326); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_services_editorWorkerService_js__ = __webpack_require__(1443); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_services_resolverService_js__ = __webpack_require__(1685); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__common_services_webWorker_js__ = __webpack_require__(1898); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__ = __webpack_require__(1561); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__colorizer_js__ = __webpack_require__(1910); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__simpleServices_js__ = __webpack_require__(1571); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__standaloneCodeEditor_js__ = __webpack_require__(1919); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__ = __webpack_require__(1716); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__common_standaloneThemeService_js__ = __webpack_require__(1581); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__platform_commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__platform_configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__platform_contextview_browser_contextView_js__ = __webpack_require__(1455); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__platform_keybinding_common_keybinding_js__ = __webpack_require__(1400); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_25__platform_notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__platform_opener_common_opener_js__ = __webpack_require__(2085); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_27__platform_accessibility_common_accessibility_js__ = __webpack_require__(1454); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_28__browser_config_configuration_js__ = __webpack_require__(1305); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function withAllStandaloneServices(domElement, override, callback) { var services = new __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["a" /* DynamicStandaloneServices */](domElement, override); var simpleEditorModelResolverService = null; if (!services.has(__WEBPACK_IMPORTED_MODULE_11__common_services_resolverService_js__["a" /* ITextModelService */])) { simpleEditorModelResolverService = new __WEBPACK_IMPORTED_MODULE_15__simpleServices_js__["e" /* SimpleEditorModelResolverService */](); services.set(__WEBPACK_IMPORTED_MODULE_11__common_services_resolverService_js__["a" /* ITextModelService */], simpleEditorModelResolverService); } if (!services.has(__WEBPACK_IMPORTED_MODULE_26__platform_opener_common_opener_js__["a" /* IOpenerService */])) { services.set(__WEBPACK_IMPORTED_MODULE_26__platform_opener_common_opener_js__["a" /* IOpenerService */], new __WEBPACK_IMPORTED_MODULE_2__browser_services_openerService_js__["a" /* OpenerService */](services.get(__WEBPACK_IMPORTED_MODULE_1__browser_services_codeEditorService_js__["a" /* ICodeEditorService */]), services.get(__WEBPACK_IMPORTED_MODULE_19__platform_commands_common_commands_js__["b" /* ICommandService */]))); } var result = callback(services); if (simpleEditorModelResolverService) { simpleEditorModelResolverService.setEditor(result); } return result; } /** * Create a new editor under `domElement`. * `domElement` should be empty (not contain other dom nodes). * The editor will read the size of `domElement`. */ function create(domElement, options, override) { return withAllStandaloneServices(domElement, override || {}, function (services) { return new __WEBPACK_IMPORTED_MODULE_16__standaloneCodeEditor_js__["b" /* StandaloneEditor */](domElement, options, services, services.get(__WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), services.get(__WEBPACK_IMPORTED_MODULE_1__browser_services_codeEditorService_js__["a" /* ICodeEditorService */]), services.get(__WEBPACK_IMPORTED_MODULE_19__platform_commands_common_commands_js__["b" /* ICommandService */]), services.get(__WEBPACK_IMPORTED_MODULE_21__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), services.get(__WEBPACK_IMPORTED_MODULE_24__platform_keybinding_common_keybinding_js__["a" /* IKeybindingService */]), services.get(__WEBPACK_IMPORTED_MODULE_22__platform_contextview_browser_contextView_js__["b" /* IContextViewService */]), services.get(__WEBPACK_IMPORTED_MODULE_18__common_standaloneThemeService_js__["a" /* IStandaloneThemeService */]), services.get(__WEBPACK_IMPORTED_MODULE_25__platform_notification_common_notification_js__["a" /* INotificationService */]), services.get(__WEBPACK_IMPORTED_MODULE_20__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]), services.get(__WEBPACK_IMPORTED_MODULE_27__platform_accessibility_common_accessibility_js__["a" /* IAccessibilityService */])); }); } /** * Emitted when an editor is created. * Creating a diff editor might cause this listener to be invoked with the two editors. * @event */ function onDidCreateEditor(listener) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].codeEditorService.get().onCodeEditorAdd(function (editor) { listener(editor); }); } /** * Create a new diff editor under `domElement`. * `domElement` should be empty (not contain other dom nodes). * The editor will read the size of `domElement`. */ function createDiffEditor(domElement, options, override) { return withAllStandaloneServices(domElement, override || {}, function (services) { return new __WEBPACK_IMPORTED_MODULE_16__standaloneCodeEditor_js__["a" /* StandaloneDiffEditor */](domElement, options, services, services.get(__WEBPACK_IMPORTED_MODULE_23__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), services.get(__WEBPACK_IMPORTED_MODULE_21__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), services.get(__WEBPACK_IMPORTED_MODULE_24__platform_keybinding_common_keybinding_js__["a" /* IKeybindingService */]), services.get(__WEBPACK_IMPORTED_MODULE_22__platform_contextview_browser_contextView_js__["b" /* IContextViewService */]), services.get(__WEBPACK_IMPORTED_MODULE_10__common_services_editorWorkerService_js__["a" /* IEditorWorkerService */]), services.get(__WEBPACK_IMPORTED_MODULE_1__browser_services_codeEditorService_js__["a" /* ICodeEditorService */]), services.get(__WEBPACK_IMPORTED_MODULE_18__common_standaloneThemeService_js__["a" /* IStandaloneThemeService */]), services.get(__WEBPACK_IMPORTED_MODULE_25__platform_notification_common_notification_js__["a" /* INotificationService */]), services.get(__WEBPACK_IMPORTED_MODULE_20__platform_configuration_common_configuration_js__["a" /* IConfigurationService */])); }); } function createDiffNavigator(diffEditor, opts) { return new __WEBPACK_IMPORTED_MODULE_3__browser_widget_diffNavigator_js__["a" /* DiffNavigator */](diffEditor, opts); } function doCreateModel(value, languageSelection, uri) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().createModel(value, languageSelection, uri); } /** * Create a new editor model. * You can specify the language that should be set for this model or let the language be inferred from the `uri`. */ function createModel(value, language, uri) { value = value || ''; if (!language) { var path = uri ? uri.path : null; var firstLF = value.indexOf('\n'); var firstLine = value; if (firstLF !== -1) { firstLine = value.substring(0, firstLF); } return doCreateModel(value, __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modeService.get().createByFilepathOrFirstLine(path, firstLine), uri); } return doCreateModel(value, __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modeService.get().create(language), uri); } /** * Change the language for a model. */ function setModelLanguage(model, languageId) { __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().setMode(model, __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modeService.get().create(languageId)); } /** * Set the markers for a model. */ function setModelMarkers(model, owner, markers) { if (model) { __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].markerService.get().changeOne(owner, model.uri, markers); } } /** * Get markers for owner and/or resource * * @returns list of markers */ function getModelMarkers(filter) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].markerService.get().read(filter); } /** * Get the model that has `uri` if it exists. */ function getModel(uri) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().getModel(uri); } /** * Get all the created models. */ function getModels() { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().getModels(); } /** * Emitted when a model is created. * @event */ function onDidCreateModel(listener) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().onModelAdded(listener); } /** * Emitted right before a model is disposed. * @event */ function onWillDisposeModel(listener) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().onModelRemoved(listener); } /** * Emitted when a different language is set to a model. * @event */ function onDidChangeModelLanguage(listener) { return __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get().onModelModeChanged(function (e) { listener({ model: e.model, oldLanguage: e.oldModeId }); }); } /** * Create a new web worker that has model syncing capabilities built in. * Specify an AMD module to load that will `create` an object that will be proxied. */ function createWebWorker(opts) { return Object(__WEBPACK_IMPORTED_MODULE_12__common_services_webWorker_js__["a" /* createWebWorker */])(__WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modelService.get(), opts); } /** * Colorize the contents of `domNode` using attribute `data-lang`. */ function colorizeElement(domNode, options) { return __WEBPACK_IMPORTED_MODULE_14__colorizer_js__["a" /* Colorizer */].colorizeElement(__WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].standaloneThemeService.get(), __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modeService.get(), domNode, options); } /** * Colorize `text` using language `languageId`. */ function colorize(text, languageId, options) { return __WEBPACK_IMPORTED_MODULE_14__colorizer_js__["a" /* Colorizer */].colorize(__WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modeService.get(), text, languageId, options); } /** * Colorize a line in a model. */ function colorizeModelLine(model, lineNumber, tabSize) { if (tabSize === void 0) { tabSize = 4; } return __WEBPACK_IMPORTED_MODULE_14__colorizer_js__["a" /* Colorizer */].colorizeModelLine(model, lineNumber, tabSize); } /** * @internal */ function getSafeTokenizationSupport(language) { var tokenizationSupport = __WEBPACK_IMPORTED_MODULE_8__common_modes_js__["v" /* TokenizationRegistry */].get(language); if (tokenizationSupport) { return tokenizationSupport; } return { getInitialState: function () { return __WEBPACK_IMPORTED_MODULE_9__common_modes_nullMode_js__["c" /* NULL_STATE */]; }, tokenize: function (line, state, deltaOffset) { return Object(__WEBPACK_IMPORTED_MODULE_9__common_modes_nullMode_js__["d" /* nullTokenize */])(language, line, state, deltaOffset); } }; } /** * Tokenize `text` using language `languageId` */ function tokenize(text, languageId) { var modeService = __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].modeService.get(); // Needed in order to get the mode registered for subsequent look-ups modeService.triggerMode(languageId); var tokenizationSupport = getSafeTokenizationSupport(languageId); var lines = text.split(/\r\n|\r|\n/); var result = []; var state = tokenizationSupport.getInitialState(); for (var i = 0, len = lines.length; i < len; i++) { var line = lines[i]; var tokenizationResult = tokenizationSupport.tokenize(line, state, 0); result[i] = tokenizationResult.tokens; state = tokenizationResult.endState; } return result; } /** * Define a new theme or update an existing theme. */ function defineTheme(themeName, themeData) { __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].standaloneThemeService.get().defineTheme(themeName, themeData); } /** * Switches to a theme. */ function setTheme(themeName) { __WEBPACK_IMPORTED_MODULE_17__standaloneServices_js__["b" /* StaticServices */].standaloneThemeService.get().setTheme(themeName); } /** * Clears all cached font measurements and triggers re-measurement. */ function remeasureFonts() { Object(__WEBPACK_IMPORTED_MODULE_28__browser_config_configuration_js__["b" /* clearAllFontInfos */])(); } /** * @internal */ function createMonacoEditorAPI() { return { // methods create: create, onDidCreateEditor: onDidCreateEditor, createDiffEditor: createDiffEditor, createDiffNavigator: createDiffNavigator, createModel: createModel, setModelLanguage: setModelLanguage, setModelMarkers: setModelMarkers, getModelMarkers: getModelMarkers, getModels: getModels, getModel: getModel, onDidCreateModel: onDidCreateModel, onWillDisposeModel: onWillDisposeModel, onDidChangeModelLanguage: onDidChangeModelLanguage, createWebWorker: createWebWorker, colorizeElement: colorizeElement, colorize: colorize, colorizeModelLine: colorizeModelLine, tokenize: tokenize, defineTheme: defineTheme, setTheme: setTheme, remeasureFonts: remeasureFonts, // enums ScrollbarVisibility: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["t" /* ScrollbarVisibility */], WrappingIndent: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["A" /* WrappingIndent */], OverviewRulerLane: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["p" /* OverviewRulerLane */], EndOfLinePreference: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["h" /* EndOfLinePreference */], DefaultEndOfLine: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["f" /* DefaultEndOfLine */], EndOfLineSequence: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["i" /* EndOfLineSequence */], TrackedRangeStickiness: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["z" /* TrackedRangeStickiness */], CursorChangeReason: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["e" /* CursorChangeReason */], MouseTargetType: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["n" /* MouseTargetType */], TextEditorCursorStyle: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["y" /* TextEditorCursorStyle */], TextEditorCursorBlinkingStyle: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["x" /* TextEditorCursorBlinkingStyle */], ContentWidgetPositionPreference: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["d" /* ContentWidgetPositionPreference */], OverlayWidgetPositionPreference: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["o" /* OverlayWidgetPositionPreference */], RenderMinimap: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["r" /* RenderMinimap */], ScrollType: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["s" /* ScrollType */], RenderLineNumbersType: __WEBPACK_IMPORTED_MODULE_13__common_standalone_standaloneEnums_js__["q" /* RenderLineNumbersType */], // classes InternalEditorOptions: __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["e" /* InternalEditorOptions */], BareFontInfo: __WEBPACK_IMPORTED_MODULE_5__common_config_fontInfo_js__["a" /* BareFontInfo */], FontInfo: __WEBPACK_IMPORTED_MODULE_5__common_config_fontInfo_js__["b" /* FontInfo */], TextModelResolvedOptions: __WEBPACK_IMPORTED_MODULE_7__common_model_js__["d" /* TextModelResolvedOptions */], FindMatch: __WEBPACK_IMPORTED_MODULE_7__common_model_js__["b" /* FindMatch */], // vars EditorType: __WEBPACK_IMPORTED_MODULE_6__common_editorCommon_js__["a" /* EditorType */] }; } /***/ }), /***/ 1890: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1891); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1891: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor{font-family:-apple-system,BlinkMacSystemFont,Segoe WPC,Segoe UI,HelveticaNeue-Light,Ubuntu,Droid Sans,sans-serif}.monaco-editor.hc-black .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label,.monaco-editor.vs-dark .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label,.monaco-menu .monaco-action-bar.vertical .action-item .action-menu-item:focus .action-label{stroke-width:1.2px}.monaco-editor-hover p{margin:0}.monaco-editor.hc-black{-ms-high-contrast-adjust:none}@media screen and (-ms-high-contrast:active){.monaco-editor.vs-dark .view-overlays .current-line,.monaco-editor.vs .view-overlays .current-line{border-color:windowtext!important;border-left:0;border-right:0}.monaco-editor.vs-dark .cursor,.monaco-editor.vs .cursor{background-color:windowtext!important}.monaco-editor.vs-dark .dnd-target,.monaco-editor.vs .dnd-target{border-color:windowtext!important}.monaco-editor.vs-dark .selected-text,.monaco-editor.vs .selected-text{background-color:highlight!important}.monaco-editor.vs-dark .view-line,.monaco-editor.vs .view-line{-ms-high-contrast-adjust:none}.monaco-editor.vs-dark .view-line span,.monaco-editor.vs .view-line span{color:windowtext!important}.monaco-editor.vs-dark .view-line span.inline-selected-text,.monaco-editor.vs .view-line span.inline-selected-text{color:highlighttext!important}.monaco-editor.vs-dark .view-overlays,.monaco-editor.vs .view-overlays{-ms-high-contrast-adjust:none}.monaco-editor.vs-dark .reference-decoration,.monaco-editor.vs-dark .selectionHighlight,.monaco-editor.vs-dark .wordHighlight,.monaco-editor.vs-dark .wordHighlightStrong,.monaco-editor.vs .reference-decoration,.monaco-editor.vs .selectionHighlight,.monaco-editor.vs .wordHighlight,.monaco-editor.vs .wordHighlightStrong{border:2px dotted highlight!important;background:transparent!important;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .rangeHighlight,.monaco-editor.vs .rangeHighlight{background:transparent!important;border:1px dotted activeborder!important;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .bracket-match,.monaco-editor.vs .bracket-match{border-color:windowtext!important;background:transparent!important}.monaco-editor.vs-dark .currentFindMatch,.monaco-editor.vs-dark .findMatch,.monaco-editor.vs .currentFindMatch,.monaco-editor.vs .findMatch{border:2px dotted activeborder!important;background:transparent!important;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .find-widget,.monaco-editor.vs .find-widget{border:1px solid windowtext}.monaco-editor.vs-dark .monaco-list .monaco-list-row,.monaco-editor.vs .monaco-list .monaco-list-row{-ms-high-contrast-adjust:none;color:windowtext!important}.monaco-editor.vs-dark .monaco-list .monaco-list-row.focused,.monaco-editor.vs .monaco-list .monaco-list-row.focused{color:highlighttext!important;background-color:highlight!important}.monaco-editor.vs-dark .monaco-list .monaco-list-row:hover,.monaco-editor.vs .monaco-list .monaco-list-row:hover{background:transparent!important;border:1px solid highlight;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .monaco-tree .monaco-tree-row,.monaco-editor.vs .monaco-tree .monaco-tree-row{-ms-high-contrast-adjust:none;color:windowtext!important}.monaco-editor.vs-dark .monaco-tree .monaco-tree-row.focused,.monaco-editor.vs-dark .monaco-tree .monaco-tree-row.selected,.monaco-editor.vs .monaco-tree .monaco-tree-row.focused,.monaco-editor.vs .monaco-tree .monaco-tree-row.selected{color:highlighttext!important;background-color:highlight!important}.monaco-editor.vs-dark .monaco-tree .monaco-tree-row:hover,.monaco-editor.vs .monaco-tree .monaco-tree-row:hover{background:transparent!important;border:1px solid highlight;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .monaco-scrollable-element>.scrollbar,.monaco-editor.vs .monaco-scrollable-element>.scrollbar{-ms-high-contrast-adjust:none;background:background!important;border:1px solid windowtext;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .monaco-scrollable-element>.scrollbar>.slider,.monaco-editor.vs .monaco-scrollable-element>.scrollbar>.slider{background:windowtext!important}.monaco-editor.vs-dark .monaco-scrollable-element>.scrollbar>.slider.active,.monaco-editor.vs-dark .monaco-scrollable-element>.scrollbar>.slider:hover,.monaco-editor.vs .monaco-scrollable-element>.scrollbar>.slider.active,.monaco-editor.vs .monaco-scrollable-element>.scrollbar>.slider:hover{background:highlight!important}.monaco-editor.vs-dark .decorationsOverviewRuler,.monaco-editor.vs .decorationsOverviewRuler{opacity:0}.monaco-editor.vs-dark .minimap,.monaco-editor.vs .minimap{display:none}.monaco-editor.vs-dark .squiggly-d-error,.monaco-editor.vs .squiggly-d-error{background:transparent!important;border-bottom:4px double #e47777}.monaco-editor.vs-dark .squiggly-b-info,.monaco-editor.vs-dark .squiggly-c-warning,.monaco-editor.vs .squiggly-b-info,.monaco-editor.vs .squiggly-c-warning{border-bottom:4px double #71b771}.monaco-editor.vs-dark .squiggly-a-hint,.monaco-editor.vs .squiggly-a-hint{border-bottom:4px double #6c6c6c}.monaco-editor.vs-dark .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label,.monaco-editor.vs .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label{-ms-high-contrast-adjust:none;color:highlighttext!important;background-color:highlight!important}.monaco-editor.vs-dark .monaco-menu .monaco-action-bar.vertical .action-menu-item:hover .action-label,.monaco-editor.vs .monaco-menu .monaco-action-bar.vertical .action-menu-item:hover .action-label{-ms-high-contrast-adjust:none;background:transparent!important;border:1px solid highlight;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-diff-editor.vs-dark .diffOverviewRuler,.monaco-diff-editor.vs .diffOverviewRuler{display:none}.monaco-editor.vs-dark .line-delete,.monaco-editor.vs-dark .line-insert,.monaco-editor.vs .line-delete,.monaco-editor.vs .line-insert{background:transparent!important;border:1px solid highlight!important;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor.vs-dark .char-delete,.monaco-editor.vs-dark .char-insert,.monaco-editor.vs .char-delete,.monaco-editor.vs .char-insert{background:transparent!important}}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/standalone/browser/standalone-tokens.css"],"names":[],"mappings":"AAOA,eACC,gHAAmI,CACnI,AAMD,ySAEC,kBAAoB,CACpB,AAED,uBACC,QAAU,CACV,AAGD,wBACC,6BAA+B,CAC/B,AAED,6CAGC,mGAEC,kCAAoC,AACpC,cAAe,AACf,cAAgB,CAChB,AAGD,yDAEC,qCAAwC,CACxC,AAED,iEAEC,iCAAoC,CACpC,AAGD,uEAEC,oCAAuC,CACvC,AAGD,+DAEC,6BAA+B,CAC/B,AAGD,yEAEC,0BAA6B,CAC7B,AAED,mHAEC,6BAAgC,CAChC,AAGD,uEAEC,6BAA+B,CAC/B,AAGD,gUAQC,sCAAwC,AACxC,iCAAmC,AACnC,8BAA+B,AACvB,qBAAuB,CAC/B,AACD,yEAEC,iCAAmC,AACnC,yCAA2C,AAC3C,8BAA+B,AACvB,qBAAuB,CAC/B,AACD,uEAEC,kCAAoC,AACpC,gCAAmC,CACnC,AAGD,4IAIC,yCAA2C,AAC3C,iCAAmC,AACnC,8BAA+B,AACvB,qBAAuB,CAC/B,AACD,mEAEC,2BAA6B,CAC7B,AAGD,qGAEC,8BAA+B,AAC/B,0BAA6B,CAC7B,AACD,qHAEC,8BAAgC,AAChC,oCAAuC,CACvC,AACD,iHAEC,iCAAmC,AACnC,2BAA4B,AAC5B,8BAA+B,AACvB,qBAAuB,CAC/B,AAGD,qGAEC,8BAA+B,AAC/B,0BAA6B,CAC7B,AACD,4OAIC,8BAAgC,AAChC,oCAAuC,CACvC,AACD,iHAEC,iCAAmC,AACnC,2BAA4B,AAC5B,8BAA+B,AACvB,qBAAuB,CAC/B,AAGD,qHAEC,8BAA+B,AAC/B,gCAAkC,AAClC,4BAA6B,AAC7B,8BAA+B,AACvB,qBAAuB,CAC/B,AACD,qIAEC,+BAAkC,CAClC,AAKD,oSAEC,8BAAiC,CACjC,AAGD,6FAEC,SAAW,CACX,AAGD,2DAEC,YAAc,CACd,AAGD,6EAEC,iCAAmC,AACnC,gCAAkC,CAClC,AAKD,4JAEC,gCAAkC,CAClC,AACD,2EAEC,gCAAkC,CAClC,AAGD,uMAEC,8BAA+B,AAC/B,8BAAgC,AAChC,oCAAuC,CACvC,AACD,uMAEC,8BAA+B,AAC/B,iCAAmC,AACnC,2BAA4B,AAC5B,8BAA+B,AACvB,qBAAuB,CAC/B,AAGD,yFAEC,YAAc,CACd,AACD,sIAIC,iCAAmC,AACnC,qCAAuC,AACvC,8BAA+B,AACvB,qBAAuB,CAC/B,AACD,sIAIC,gCAAmC,CACnC,CACD","file":"standalone-tokens.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n\n/* Default standalone editor font */\n.monaco-editor {\n\tfont-family: -apple-system, BlinkMacSystemFont, \"Segoe WPC\", \"Segoe UI\", \"HelveticaNeue-Light\", \"Ubuntu\", \"Droid Sans\", sans-serif;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-item .action-menu-item:focus .action-label {\n\tstroke-width: 1.2px;\n}\n\n.monaco-editor.vs-dark .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label,\n.monaco-editor.hc-black .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label {\n\tstroke-width: 1.2px;\n}\n\n.monaco-editor-hover p {\n\tmargin: 0;\n}\n\n/* The hc-black theme is already high contrast optimized */\n.monaco-editor.hc-black {\n\t-ms-high-contrast-adjust: none;\n}\n/* In case the browser goes into high contrast mode and the editor is not configured with the hc-black theme */\n@media screen and (-ms-high-contrast:active) {\n\n\t/* current line highlight */\n\t.monaco-editor.vs .view-overlays .current-line,\n\t.monaco-editor.vs-dark .view-overlays .current-line {\n\t\tborder-color: windowtext !important;\n\t\tborder-left: 0;\n\t\tborder-right: 0;\n\t}\n\n\t/* view cursors */\n\t.monaco-editor.vs .cursor,\n\t.monaco-editor.vs-dark .cursor {\n\t\tbackground-color: windowtext !important;\n\t}\n\t/* dnd target */\n\t.monaco-editor.vs .dnd-target,\n\t.monaco-editor.vs-dark .dnd-target {\n\t\tborder-color: windowtext !important;\n\t}\n\n\t/* selected text background */\n\t.monaco-editor.vs .selected-text,\n\t.monaco-editor.vs-dark .selected-text {\n\t\tbackground-color: highlight !important;\n\t}\n\n\t/* allow the text to have a transparent background. */\n\t.monaco-editor.vs .view-line,\n\t.monaco-editor.vs-dark .view-line {\n\t\t-ms-high-contrast-adjust: none;\n\t}\n\n\t/* text color */\n\t.monaco-editor.vs .view-line span,\n\t.monaco-editor.vs-dark .view-line span {\n\t\tcolor: windowtext !important;\n\t}\n\t/* selected text color */\n\t.monaco-editor.vs .view-line span.inline-selected-text,\n\t.monaco-editor.vs-dark .view-line span.inline-selected-text {\n\t\tcolor: highlighttext !important;\n\t}\n\n\t/* allow decorations */\n\t.monaco-editor.vs .view-overlays,\n\t.monaco-editor.vs-dark .view-overlays {\n\t\t-ms-high-contrast-adjust: none;\n\t}\n\n\t/* various decorations */\n\t.monaco-editor.vs .selectionHighlight,\n\t.monaco-editor.vs-dark .selectionHighlight,\n\t.monaco-editor.vs .wordHighlight,\n\t.monaco-editor.vs-dark .wordHighlight,\n\t.monaco-editor.vs .wordHighlightStrong,\n\t.monaco-editor.vs-dark .wordHighlightStrong,\n\t.monaco-editor.vs .reference-decoration,\n\t.monaco-editor.vs-dark .reference-decoration {\n\t\tborder: 2px dotted highlight !important;\n\t\tbackground: transparent !important;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\t.monaco-editor.vs .rangeHighlight,\n\t.monaco-editor.vs-dark .rangeHighlight {\n\t\tbackground: transparent !important;\n\t\tborder: 1px dotted activeborder !important;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\t.monaco-editor.vs .bracket-match,\n\t.monaco-editor.vs-dark .bracket-match {\n\t\tborder-color: windowtext !important;\n\t\tbackground: transparent !important;\n\t}\n\n\t/* find widget */\n\t.monaco-editor.vs .findMatch,\n\t.monaco-editor.vs-dark .findMatch,\n\t.monaco-editor.vs .currentFindMatch,\n\t.monaco-editor.vs-dark .currentFindMatch {\n\t\tborder: 2px dotted activeborder !important;\n\t\tbackground: transparent !important;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\t.monaco-editor.vs .find-widget,\n\t.monaco-editor.vs-dark .find-widget {\n\t\tborder: 1px solid windowtext;\n\t}\n\n\t/* list - used by suggest widget */\n\t.monaco-editor.vs .monaco-list .monaco-list-row,\n\t.monaco-editor.vs-dark .monaco-list .monaco-list-row {\n\t\t-ms-high-contrast-adjust: none;\n\t\tcolor: windowtext !important;\n\t}\n\t.monaco-editor.vs .monaco-list .monaco-list-row.focused,\n\t.monaco-editor.vs-dark .monaco-list .monaco-list-row.focused {\n\t\tcolor: highlighttext !important;\n\t\tbackground-color: highlight !important;\n\t}\n\t.monaco-editor.vs .monaco-list .monaco-list-row:hover,\n\t.monaco-editor.vs-dark .monaco-list .monaco-list-row:hover {\n\t\tbackground: transparent !important;\n\t\tborder: 1px solid highlight;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\n\t/* tree */\n\t.monaco-editor.vs .monaco-tree .monaco-tree-row,\n\t.monaco-editor.vs-dark .monaco-tree .monaco-tree-row {\n\t\t-ms-high-contrast-adjust: none;\n\t\tcolor: windowtext !important;\n\t}\n\t.monaco-editor.vs .monaco-tree .monaco-tree-row.selected,\n\t.monaco-editor.vs-dark .monaco-tree .monaco-tree-row.selected,\n\t.monaco-editor.vs .monaco-tree .monaco-tree-row.focused,\n\t.monaco-editor.vs-dark .monaco-tree .monaco-tree-row.focused {\n\t\tcolor: highlighttext !important;\n\t\tbackground-color: highlight !important;\n\t}\n\t.monaco-editor.vs .monaco-tree .monaco-tree-row:hover,\n\t.monaco-editor.vs-dark .monaco-tree .monaco-tree-row:hover {\n\t\tbackground: transparent !important;\n\t\tborder: 1px solid highlight;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\n\t/* scrollbars */\n\t.monaco-editor.vs .monaco-scrollable-element > .scrollbar,\n\t.monaco-editor.vs-dark .monaco-scrollable-element > .scrollbar {\n\t\t-ms-high-contrast-adjust: none;\n\t\tbackground: background !important;\n\t\tborder: 1px solid windowtext;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\t.monaco-editor.vs .monaco-scrollable-element > .scrollbar > .slider,\n\t.monaco-editor.vs-dark .monaco-scrollable-element > .scrollbar > .slider {\n\t\tbackground: windowtext !important;\n\t}\n\t.monaco-editor.vs .monaco-scrollable-element > .scrollbar > .slider:hover,\n\t.monaco-editor.vs-dark .monaco-scrollable-element > .scrollbar > .slider:hover {\n\t\tbackground: highlight !important;\n\t}\n\t.monaco-editor.vs .monaco-scrollable-element > .scrollbar > .slider.active,\n\t.monaco-editor.vs-dark .monaco-scrollable-element > .scrollbar > .slider.active {\n\t\tbackground: highlight !important;\n\t}\n\n\t/* overview ruler */\n\t.monaco-editor.vs .decorationsOverviewRuler,\n\t.monaco-editor.vs-dark .decorationsOverviewRuler {\n\t\topacity: 0;\n\t}\n\n\t/* minimap */\n\t.monaco-editor.vs .minimap,\n\t.monaco-editor.vs-dark .minimap {\n\t\tdisplay: none;\n\t}\n\n\t/* squiggles */\n\t.monaco-editor.vs .squiggly-d-error,\n\t.monaco-editor.vs-dark .squiggly-d-error {\n\t\tbackground: transparent !important;\n\t\tborder-bottom: 4px double #E47777;\n\t}\n\t.monaco-editor.vs .squiggly-c-warning,\n\t.monaco-editor.vs-dark .squiggly-c-warning {\n\t\tborder-bottom: 4px double #71B771;\n\t}\n\t.monaco-editor.vs .squiggly-b-info,\n\t.monaco-editor.vs-dark .squiggly-b-info {\n\t\tborder-bottom: 4px double #71B771;\n\t}\n\t.monaco-editor.vs .squiggly-a-hint,\n\t.monaco-editor.vs-dark .squiggly-a-hint {\n\t\tborder-bottom: 4px double #6c6c6c;\n\t}\n\n\t/* contextmenu */\n\t.monaco-editor.vs .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label,\n\t.monaco-editor.vs-dark .monaco-menu .monaco-action-bar.vertical .action-menu-item:focus .action-label {\n\t\t-ms-high-contrast-adjust: none;\n\t\tcolor: highlighttext !important;\n\t\tbackground-color: highlight !important;\n\t}\n\t.monaco-editor.vs .monaco-menu .monaco-action-bar.vertical .action-menu-item:hover .action-label,\n\t.monaco-editor.vs-dark .monaco-menu .monaco-action-bar.vertical .action-menu-item:hover .action-label {\n\t\t-ms-high-contrast-adjust: none;\n\t\tbackground: transparent !important;\n\t\tborder: 1px solid highlight;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\n\t/* diff editor */\n\t.monaco-diff-editor.vs .diffOverviewRuler,\n\t.monaco-diff-editor.vs-dark .diffOverviewRuler {\n\t\tdisplay: none;\n\t}\n\t.monaco-editor.vs .line-insert,\n\t.monaco-editor.vs-dark .line-insert,\n\t.monaco-editor.vs .line-delete,\n\t.monaco-editor.vs-dark .line-delete {\n\t\tbackground: transparent !important;\n\t\tborder: 1px solid highlight !important;\n\t\t-webkit-box-sizing: border-box;\n\t\t box-sizing: border-box;\n\t}\n\t.monaco-editor.vs .char-insert,\n\t.monaco-editor.vs-dark .char-insert,\n\t.monaco-editor.vs .char-delete,\n\t.monaco-editor.vs-dark .char-delete {\n\t\tbackground: transparent !important;\n\t}\n}\n\n/*.monaco-editor.vs [tabindex=\"0\"]:focus {\n\toutline: 1px solid rgba(0, 122, 204, 0.4);\n\toutline-offset: -1px;\n\topacity: 1 !important;\n}\n\n.monaco-editor.vs-dark [tabindex=\"0\"]:focus {\n\toutline: 1px solid rgba(14, 99, 156, 0.6);\n\toutline-offset: -1px;\n\topacity: 1 !important;\n}*/\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1892: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return OpenerService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_marshalling_js__ = __webpack_require__(1893); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_network_js__ = __webpack_require__(1358); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_resources_js__ = __webpack_require__(1681); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__platform_commands_common_commands_js__ = __webpack_require__(1271); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var OpenerService = /** @class */ (function () { function OpenerService(_editorService, _commandService) { this._editorService = _editorService; this._commandService = _commandService; // } OpenerService.prototype.open = function (resource, options) { var _a; var scheme = resource.scheme, path = resource.path, query = resource.query, fragment = resource.fragment; if (!scheme) { // no scheme ?!? return Promise.resolve(false); } else if (scheme === __WEBPACK_IMPORTED_MODULE_2__base_common_network_js__["a" /* Schemas */].http || scheme === __WEBPACK_IMPORTED_MODULE_2__base_common_network_js__["a" /* Schemas */].https || scheme === __WEBPACK_IMPORTED_MODULE_2__base_common_network_js__["a" /* Schemas */].mailto) { // open http or default mail application __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["O" /* windowOpenNoOpener */](resource.toString(true)); return Promise.resolve(true); } else if (scheme === __WEBPACK_IMPORTED_MODULE_2__base_common_network_js__["a" /* Schemas */].command) { // run command or bail out if command isn't known if (!__WEBPACK_IMPORTED_MODULE_5__platform_commands_common_commands_js__["a" /* CommandsRegistry */].getCommand(path)) { return Promise.reject("command '" + path + "' NOT known"); } // execute as command var args = []; try { args = Object(__WEBPACK_IMPORTED_MODULE_1__base_common_marshalling_js__["a" /* parse */])(query); if (!Array.isArray(args)) { args = [args]; } } catch (e) { // } return (_a = this._commandService).executeCommand.apply(_a, [path].concat(args)).then(function () { return true; }); } else { var selection = undefined; var match = /^L?(\d+)(?:,(\d+))?/.exec(fragment); if (match) { // support file:///some/file.js#73,84 // support file:///some/file.js#L73 selection = { startLineNumber: parseInt(match[1]), startColumn: match[2] ? parseInt(match[2]) : 1 }; // remove fragment resource = resource.with({ fragment: '' }); } if (resource.scheme === __WEBPACK_IMPORTED_MODULE_2__base_common_network_js__["a" /* Schemas */].file) { resource = __WEBPACK_IMPORTED_MODULE_3__base_common_resources_js__["b" /* normalizePath */](resource); // workaround for non-normalized paths (https://github.com/Microsoft/vscode/issues/12954) } return this._editorService.openCodeEditor({ resource: resource, options: { selection: selection, } }, this._editorService.getFocusedCodeEditor(), options && options.openToSide).then(function () { return true; }); } }; OpenerService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_4__codeEditorService_js__["a" /* ICodeEditorService */]), __param(1, __WEBPACK_IMPORTED_MODULE_5__platform_commands_common_commands_js__["b" /* ICommandService */]) ], OpenerService); return OpenerService; }()); /***/ }), /***/ 1893: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = parse; /* unused harmony export revive */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__uri_js__ = __webpack_require__(1278); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function parse(text) { var data = JSON.parse(text); data = revive(data, 0); return data; } function revive(obj, depth) { if (!obj || depth > 200) { return obj; } if (typeof obj === 'object') { switch (obj.$mid) { case 1: return __WEBPACK_IMPORTED_MODULE_0__uri_js__["a" /* URI */].revive(obj); case 2: return new RegExp(obj.source, obj.flags); } // walk object (or array) for (var key in obj) { if (Object.hasOwnProperty.call(obj, key)) { obj[key] = revive(obj[key], depth + 1); } } } return obj; } /***/ }), /***/ 1894: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DiffNavigator; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_assert_js__ = __webpack_require__(1683); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var defaultOptions = { followsCaret: true, ignoreCharChanges: true, alwaysRevealFirst: true }; /** * Create a new diff navigator for the provided diff editor. */ var DiffNavigator = /** @class */ (function () { function DiffNavigator(editor, options) { if (options === void 0) { options = {}; } var _this = this; this._onDidUpdate = new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */](); this._editor = editor; this._options = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["f" /* mixin */](options, defaultOptions, false); this.disposed = false; this._disposables = []; this.nextIdx = -1; this.ranges = []; this.ignoreSelectionChange = false; this.revealFirst = Boolean(this._options.alwaysRevealFirst); // hook up to diff editor for diff, disposal, and caret move this._disposables.push(this._editor.onDidDispose(function () { return _this.dispose(); })); this._disposables.push(this._editor.onDidUpdateDiff(function () { return _this._onDiffUpdated(); })); if (this._options.followsCaret) { this._disposables.push(this._editor.getModifiedEditor().onDidChangeCursorPosition(function (e) { if (_this.ignoreSelectionChange) { return; } _this.nextIdx = -1; })); } if (this._options.alwaysRevealFirst) { this._disposables.push(this._editor.getModifiedEditor().onDidChangeModel(function (e) { _this.revealFirst = true; })); } // init things this._init(); } DiffNavigator.prototype._init = function () { var changes = this._editor.getLineChanges(); if (!changes) { return; } }; DiffNavigator.prototype._onDiffUpdated = function () { this._init(); this._compute(this._editor.getLineChanges()); if (this.revealFirst) { // Only reveal first on first non-null changes if (this._editor.getLineChanges() !== null) { this.revealFirst = false; this.nextIdx = -1; this.next(1 /* Immediate */); } } }; DiffNavigator.prototype._compute = function (lineChanges) { var _this = this; // new ranges this.ranges = []; if (lineChanges) { // create ranges from changes lineChanges.forEach(function (lineChange) { if (!_this._options.ignoreCharChanges && lineChange.charChanges) { lineChange.charChanges.forEach(function (charChange) { _this.ranges.push({ rhs: true, range: new __WEBPACK_IMPORTED_MODULE_4__common_core_range_js__["a" /* Range */](charChange.modifiedStartLineNumber, charChange.modifiedStartColumn, charChange.modifiedEndLineNumber, charChange.modifiedEndColumn) }); }); } else { _this.ranges.push({ rhs: true, range: new __WEBPACK_IMPORTED_MODULE_4__common_core_range_js__["a" /* Range */](lineChange.modifiedStartLineNumber, 1, lineChange.modifiedStartLineNumber, 1) }); } }); } // sort this.ranges.sort(function (left, right) { if (left.range.getStartPosition().isBeforeOrEqual(right.range.getStartPosition())) { return -1; } else if (right.range.getStartPosition().isBeforeOrEqual(left.range.getStartPosition())) { return 1; } else { return 0; } }); this._onDidUpdate.fire(this); }; DiffNavigator.prototype._initIdx = function (fwd) { var found = false; var position = this._editor.getPosition(); if (!position) { this.nextIdx = 0; return; } for (var i = 0, len = this.ranges.length; i < len && !found; i++) { var range = this.ranges[i].range; if (position.isBeforeOrEqual(range.getStartPosition())) { this.nextIdx = i + (fwd ? 0 : -1); found = true; } } if (!found) { // after the last change this.nextIdx = fwd ? 0 : this.ranges.length - 1; } if (this.nextIdx < 0) { this.nextIdx = this.ranges.length - 1; } }; DiffNavigator.prototype._move = function (fwd, scrollType) { __WEBPACK_IMPORTED_MODULE_0__base_common_assert_js__["a" /* ok */](!this.disposed, 'Illegal State - diff navigator has been disposed'); if (!this.canNavigate()) { return; } if (this.nextIdx === -1) { this._initIdx(fwd); } else if (fwd) { this.nextIdx += 1; if (this.nextIdx >= this.ranges.length) { this.nextIdx = 0; } } else { this.nextIdx -= 1; if (this.nextIdx < 0) { this.nextIdx = this.ranges.length - 1; } } var info = this.ranges[this.nextIdx]; this.ignoreSelectionChange = true; try { var pos = info.range.getStartPosition(); this._editor.setPosition(pos); this._editor.revealPositionInCenter(pos, scrollType); } finally { this.ignoreSelectionChange = false; } }; DiffNavigator.prototype.canNavigate = function () { return this.ranges && this.ranges.length > 0; }; DiffNavigator.prototype.next = function (scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._move(true, scrollType); }; DiffNavigator.prototype.previous = function (scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this._move(false, scrollType); }; DiffNavigator.prototype.dispose = function () { Object(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["d" /* dispose */])(this._disposables); this._disposables.length = 0; this._onDidUpdate.dispose(); this.ranges = []; this.disposed = true; }; return DiffNavigator; }()); /***/ }), /***/ 1895: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LanguageFeatureRegistry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__languageSelector_js__ = __webpack_require__(1896); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__services_modelService_js__ = __webpack_require__(1393); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function isExclusive(selector) { if (typeof selector === 'string') { return false; } else if (Array.isArray(selector)) { return selector.every(isExclusive); } else { return !!selector.exclusive; } } var LanguageFeatureRegistry = /** @class */ (function () { function LanguageFeatureRegistry() { this._clock = 0; this._entries = []; this._onDidChange = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); } Object.defineProperty(LanguageFeatureRegistry.prototype, "onDidChange", { get: function () { return this._onDidChange.event; }, enumerable: true, configurable: true }); LanguageFeatureRegistry.prototype.register = function (selector, provider) { var _this = this; var entry = { selector: selector, provider: provider, _score: -1, _time: this._clock++ }; this._entries.push(entry); this._lastCandidate = undefined; this._onDidChange.fire(this._entries.length); return Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { if (entry) { var idx = _this._entries.indexOf(entry); if (idx >= 0) { _this._entries.splice(idx, 1); _this._lastCandidate = undefined; _this._onDidChange.fire(_this._entries.length); entry = undefined; } } }); }; LanguageFeatureRegistry.prototype.has = function (model) { return this.all(model).length > 0; }; LanguageFeatureRegistry.prototype.all = function (model) { if (!model) { return []; } this._updateScores(model); var result = []; // from registry for (var _i = 0, _a = this._entries; _i < _a.length; _i++) { var entry = _a[_i]; if (entry._score > 0) { result.push(entry.provider); } } return result; }; LanguageFeatureRegistry.prototype.ordered = function (model) { var result = []; this._orderedForEach(model, function (entry) { return result.push(entry.provider); }); return result; }; LanguageFeatureRegistry.prototype.orderedGroups = function (model) { var result = []; var lastBucket; var lastBucketScore; this._orderedForEach(model, function (entry) { if (lastBucket && lastBucketScore === entry._score) { lastBucket.push(entry.provider); } else { lastBucketScore = entry._score; lastBucket = [entry.provider]; result.push(lastBucket); } }); return result; }; LanguageFeatureRegistry.prototype._orderedForEach = function (model, callback) { if (!model) { return; } this._updateScores(model); for (var _i = 0, _a = this._entries; _i < _a.length; _i++) { var entry = _a[_i]; if (entry._score > 0) { callback(entry); } } }; LanguageFeatureRegistry.prototype._updateScores = function (model) { var candidate = { uri: model.uri.toString(), language: model.getLanguageIdentifier().language }; if (this._lastCandidate && this._lastCandidate.language === candidate.language && this._lastCandidate.uri === candidate.uri) { // nothing has changed return; } this._lastCandidate = candidate; for (var _i = 0, _a = this._entries; _i < _a.length; _i++) { var entry = _a[_i]; entry._score = Object(__WEBPACK_IMPORTED_MODULE_2__languageSelector_js__["a" /* score */])(entry.selector, model.uri, model.getLanguageIdentifier().language, Object(__WEBPACK_IMPORTED_MODULE_3__services_modelService_js__["b" /* shouldSynchronizeModel */])(model)); if (isExclusive(entry.selector) && entry._score > 0) { // support for one exclusive selector that overwrites // any other selector for (var _b = 0, _c = this._entries; _b < _c.length; _b++) { var entry_1 = _c[_b]; entry_1._score = 0; } entry._score = 1000; break; } } // needs sorting this._entries.sort(LanguageFeatureRegistry._compareByScoreAndTime); }; LanguageFeatureRegistry._compareByScoreAndTime = function (a, b) { if (a._score < b._score) { return 1; } else if (a._score > b._score) { return -1; } else if (a._time < b._time) { return 1; } else if (a._time > b._time) { return -1; } else { return 0; } }; return LanguageFeatureRegistry; }()); /***/ }), /***/ 1896: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = score; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_glob_js__ = __webpack_require__(1684); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function score(selector, candidateUri, candidateLanguage, candidateIsSynchronized) { if (Array.isArray(selector)) { // array -> take max individual value var ret = 0; for (var _i = 0, selector_1 = selector; _i < selector_1.length; _i++) { var filter = selector_1[_i]; var value = score(filter, candidateUri, candidateLanguage, candidateIsSynchronized); if (value === 10) { return value; // already at the highest } if (value > ret) { ret = value; } } return ret; } else if (typeof selector === 'string') { if (!candidateIsSynchronized) { return 0; } // short-hand notion, desugars to // 'fooLang' -> { language: 'fooLang'} // '*' -> { language: '*' } if (selector === '*') { return 5; } else if (selector === candidateLanguage) { return 10; } else { return 0; } } else if (selector) { // filter -> select accordingly, use defaults for scheme var language = selector.language, pattern = selector.pattern, scheme = selector.scheme, hasAccessToAllModels = selector.hasAccessToAllModels; if (!candidateIsSynchronized && !hasAccessToAllModels) { return 0; } var ret = 0; if (scheme) { if (scheme === candidateUri.scheme) { ret = 10; } else if (scheme === '*') { ret = 5; } else { return 0; } } if (language) { if (language === candidateLanguage) { ret = 10; } else if (language === '*') { ret = Math.max(ret, 5); } else { return 0; } } if (pattern) { if (pattern === candidateUri.fsPath || Object(__WEBPACK_IMPORTED_MODULE_0__base_common_glob_js__["a" /* match */])(pattern, candidateUri.fsPath)) { ret = 10; } else { return 0; } } return ret; } else { return 0; } } /***/ }), /***/ 1897: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return TokenizationRegistryImpl; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var TokenizationRegistryImpl = /** @class */ (function () { function TokenizationRegistryImpl() { this._onDidChange = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); this.onDidChange = this._onDidChange.event; this._map = Object.create(null); this._promises = Object.create(null); this._colorMap = null; } TokenizationRegistryImpl.prototype.fire = function (languages) { this._onDidChange.fire({ changedLanguages: languages, changedColorMap: false }); }; TokenizationRegistryImpl.prototype.register = function (language, support) { var _this = this; this._map[language] = support; this.fire([language]); return Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { if (_this._map[language] !== support) { return; } delete _this._map[language]; _this.fire([language]); }); }; TokenizationRegistryImpl.prototype.registerPromise = function (language, supportPromise) { var _this = this; var registration = null; var isDisposed = false; this._promises[language] = supportPromise.then(function (support) { delete _this._promises[language]; if (isDisposed || !support) { return; } registration = _this.register(language, support); }); return Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { isDisposed = true; if (registration) { registration.dispose(); } }); }; TokenizationRegistryImpl.prototype.getPromise = function (language) { var _this = this; var support = this.get(language); if (support) { return Promise.resolve(support); } var promise = this._promises[language]; if (promise) { return promise.then(function (_) { return _this.get(language); }); } return null; }; TokenizationRegistryImpl.prototype.get = function (language) { return (this._map[language] || null); }; TokenizationRegistryImpl.prototype.setColorMap = function (colorMap) { this._colorMap = colorMap; this._onDidChange.fire({ changedLanguages: Object.keys(this._map), changedColorMap: true }); }; TokenizationRegistryImpl.prototype.getColorMap = function () { return this._colorMap; }; TokenizationRegistryImpl.prototype.getDefaultBackground = function () { if (this._colorMap && this._colorMap.length > 2 /* DefaultBackground */) { return this._colorMap[2 /* DefaultBackground */]; } return null; }; return TokenizationRegistryImpl; }()); /***/ }), /***/ 1898: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = createWebWorker; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__editorWorkerServiceImpl_js__ = __webpack_require__(1686); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * Create a new web worker that has model syncing capabilities built in. * Specify an AMD module to load that will `create` an object that will be proxied. */ function createWebWorker(modelService, opts) { return new MonacoWebWorkerImpl(modelService, opts); } var MonacoWebWorkerImpl = /** @class */ (function (_super) { __extends(MonacoWebWorkerImpl, _super); function MonacoWebWorkerImpl(modelService, opts) { var _this = _super.call(this, modelService, opts.label) || this; _this._foreignModuleId = opts.moduleId; _this._foreignModuleCreateData = opts.createData || null; _this._foreignProxy = null; return _this; } MonacoWebWorkerImpl.prototype._getForeignProxy = function () { var _this = this; if (!this._foreignProxy) { this._foreignProxy = this._getProxy().then(function (proxy) { return proxy.loadForeignModule(_this._foreignModuleId, _this._foreignModuleCreateData).then(function (foreignMethods) { _this._foreignModuleCreateData = null; var proxyMethodRequest = function (method, args) { return proxy.fmr(method, args); }; var createProxyMethod = function (method, proxyMethodRequest) { return function () { var args = Array.prototype.slice.call(arguments, 0); return proxyMethodRequest(method, args); }; }; var foreignProxy = {}; for (var _i = 0, foreignMethods_1 = foreignMethods; _i < foreignMethods_1.length; _i++) { var foreignMethod = foreignMethods_1[_i]; foreignProxy[foreignMethod] = createProxyMethod(foreignMethod, proxyMethodRequest); } return foreignProxy; }); }); } return this._foreignProxy; }; MonacoWebWorkerImpl.prototype.getProxy = function () { return this._getForeignProxy(); }; MonacoWebWorkerImpl.prototype.withSyncedResources = function (resources) { var _this = this; return this._withSyncedResources(resources).then(function (_) { return _this.getProxy(); }); }; return MonacoWebWorkerImpl; }(__WEBPACK_IMPORTED_MODULE_0__editorWorkerServiceImpl_js__["a" /* EditorWorkerClient */])); /***/ }), /***/ 1899: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DefaultWorkerFactory; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_worker_simpleWorker_js__ = __webpack_require__(1687); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function getWorker(workerId, label) { // Option for hosts to overwrite the worker script (used in the standalone editor) if (__WEBPACK_IMPORTED_MODULE_0__common_platform_js__["b" /* globals */].MonacoEnvironment) { if (typeof __WEBPACK_IMPORTED_MODULE_0__common_platform_js__["b" /* globals */].MonacoEnvironment.getWorker === 'function') { return __WEBPACK_IMPORTED_MODULE_0__common_platform_js__["b" /* globals */].MonacoEnvironment.getWorker(workerId, label); } if (typeof __WEBPACK_IMPORTED_MODULE_0__common_platform_js__["b" /* globals */].MonacoEnvironment.getWorkerUrl === 'function') { return new Worker(__WEBPACK_IMPORTED_MODULE_0__common_platform_js__["b" /* globals */].MonacoEnvironment.getWorkerUrl(workerId, label)); } } // ESM-comment-begin // if (typeof require === 'function') { // // check if the JS lives on a different origin // // const workerMain = require.toUrl('./' + workerId); // if (/^(http:)|(https:)|(file:)/.test(workerMain)) { // const currentUrl = String(window.location); // const currentOrigin = currentUrl.substr(0, currentUrl.length - window.location.hash.length - window.location.search.length - window.location.pathname.length); // if (workerMain.substring(0, currentOrigin.length) !== currentOrigin) { // // this is the cross-origin case // // i.e. the webpage is running at a different origin than where the scripts are loaded from // const workerBaseUrl = workerMain.substr(0, workerMain.length - 'vs/base/worker/workerMain.js'.length); // const js = `/*${label}*/self.MonacoEnvironment={baseUrl: '${workerBaseUrl}'};importScripts('${workerMain}');/*${label}*/`; // const url = `data:text/javascript;charset=utf-8,${encodeURIComponent(js)}`; // return new Worker(url); // } // } // return new Worker(workerMain + '#' + label); // } // ESM-comment-end throw new Error("You must define a function MonacoEnvironment.getWorkerUrl or MonacoEnvironment.getWorker"); } function isPromiseLike(obj) { if (typeof obj.then === 'function') { return true; } return false; } /** * A worker that uses HTML5 web workers so that is has * its own global scope and its own thread. */ var WebWorker = /** @class */ (function () { function WebWorker(moduleId, id, label, onMessageCallback, onErrorCallback) { this.id = id; var workerOrPromise = getWorker('workerMain.js', label); if (isPromiseLike(workerOrPromise)) { this.worker = workerOrPromise; } else { this.worker = Promise.resolve(workerOrPromise); } this.postMessage(moduleId); this.worker.then(function (w) { w.onmessage = function (ev) { onMessageCallback(ev.data); }; w.onmessageerror = onErrorCallback; if (typeof w.addEventListener === 'function') { w.addEventListener('error', onErrorCallback); } }); } WebWorker.prototype.getId = function () { return this.id; }; WebWorker.prototype.postMessage = function (msg) { if (this.worker) { this.worker.then(function (w) { return w.postMessage(msg); }); } }; WebWorker.prototype.dispose = function () { if (this.worker) { this.worker.then(function (w) { return w.terminate(); }); } this.worker = null; }; return WebWorker; }()); var DefaultWorkerFactory = /** @class */ (function () { function DefaultWorkerFactory(label) { this._label = label; this._webWorkerFailedBeforeError = false; } DefaultWorkerFactory.prototype.create = function (moduleId, onMessageCallback, onErrorCallback) { var _this = this; var workerId = (++DefaultWorkerFactory.LAST_WORKER_ID); if (this._webWorkerFailedBeforeError) { throw this._webWorkerFailedBeforeError; } return new WebWorker(moduleId, workerId, this._label || 'anonymous' + workerId, onMessageCallback, function (err) { Object(__WEBPACK_IMPORTED_MODULE_1__common_worker_simpleWorker_js__["b" /* logOnceWebWorkerWarning */])(err); _this._webWorkerFailedBeforeError = err; onErrorCallback(err); }); }; DefaultWorkerFactory.LAST_WORKER_ID = 0; return DefaultWorkerFactory; }()); /***/ }), /***/ 1900: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CharacterPairSupport; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__languageConfiguration_js__ = __webpack_require__(1394); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CharacterPairSupport = /** @class */ (function () { function CharacterPairSupport(config) { if (config.autoClosingPairs) { this._autoClosingPairs = config.autoClosingPairs.map(function (el) { return new __WEBPACK_IMPORTED_MODULE_0__languageConfiguration_js__["b" /* StandardAutoClosingPairConditional */](el); }); } else if (config.brackets) { this._autoClosingPairs = config.brackets.map(function (b) { return new __WEBPACK_IMPORTED_MODULE_0__languageConfiguration_js__["b" /* StandardAutoClosingPairConditional */]({ open: b[0], close: b[1] }); }); } else { this._autoClosingPairs = []; } this._autoCloseBefore = typeof config.autoCloseBefore === 'string' ? config.autoCloseBefore : CharacterPairSupport.DEFAULT_AUTOCLOSE_BEFORE_LANGUAGE_DEFINED; this._surroundingPairs = config.surroundingPairs || this._autoClosingPairs; } CharacterPairSupport.prototype.getAutoClosingPairs = function () { return this._autoClosingPairs; }; CharacterPairSupport.prototype.getAutoCloseBeforeSet = function () { return this._autoCloseBefore; }; CharacterPairSupport.prototype.shouldAutoClosePair = function (character, context, column) { // Always complete on empty line if (context.getTokenCount() === 0) { return true; } var tokenIndex = context.findTokenIndexAtOffset(column - 2); var standardTokenType = context.getStandardTokenType(tokenIndex); for (var _i = 0, _a = this._autoClosingPairs; _i < _a.length; _i++) { var autoClosingPair = _a[_i]; if (autoClosingPair.open === character) { return autoClosingPair.isOK(standardTokenType); } } return false; }; CharacterPairSupport.prototype.getSurroundingPairs = function () { return this._surroundingPairs; }; CharacterPairSupport.DEFAULT_AUTOCLOSE_BEFORE_LANGUAGE_DEFINED = ';:.,=}])> \n\t'; return CharacterPairSupport; }()); /***/ }), /***/ 1901: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return BracketElectricCharacterSupport; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__languageConfiguration_js__ = __webpack_require__(1394); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__supports_js__ = __webpack_require__(1564); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__richEditBrackets_js__ = __webpack_require__(1565); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var BracketElectricCharacterSupport = /** @class */ (function () { function BracketElectricCharacterSupport(richEditBrackets, autoClosePairs, contribution) { contribution = contribution || {}; this._richEditBrackets = richEditBrackets; this._complexAutoClosePairs = autoClosePairs.filter(function (pair) { return pair.open.length > 1 && !!pair.close; }).map(function (el) { return new __WEBPACK_IMPORTED_MODULE_0__languageConfiguration_js__["b" /* StandardAutoClosingPairConditional */](el); }); if (contribution.docComment) { // IDocComment is legacy, only partially supported this._complexAutoClosePairs.push(new __WEBPACK_IMPORTED_MODULE_0__languageConfiguration_js__["b" /* StandardAutoClosingPairConditional */]({ open: contribution.docComment.open, close: contribution.docComment.close })); } } BracketElectricCharacterSupport.prototype.getElectricCharacters = function () { var result = []; if (this._richEditBrackets) { for (var i = 0, len = this._richEditBrackets.brackets.length; i < len; i++) { var bracketPair = this._richEditBrackets.brackets[i]; var lastChar = bracketPair.close.charAt(bracketPair.close.length - 1); result.push(lastChar); } } // auto close for (var _i = 0, _a = this._complexAutoClosePairs; _i < _a.length; _i++) { var pair = _a[_i]; result.push(pair.open.charAt(pair.open.length - 1)); } // Filter duplicate entries result = result.filter(function (item, pos, array) { return array.indexOf(item) === pos; }); return result; }; BracketElectricCharacterSupport.prototype.onElectricCharacter = function (character, context, column) { return (this._onElectricAutoClose(character, context, column) || this._onElectricAutoIndent(character, context, column)); }; BracketElectricCharacterSupport.prototype._onElectricAutoIndent = function (character, context, column) { if (!this._richEditBrackets || this._richEditBrackets.brackets.length === 0) { return null; } var tokenIndex = context.findTokenIndexAtOffset(column - 1); if (Object(__WEBPACK_IMPORTED_MODULE_1__supports_js__["b" /* ignoreBracketsInToken */])(context.getStandardTokenType(tokenIndex))) { return null; } var reversedBracketRegex = this._richEditBrackets.reversedRegex; var text = context.getLineContent().substring(0, column - 1) + character; var r = __WEBPACK_IMPORTED_MODULE_2__richEditBrackets_js__["a" /* BracketsUtils */].findPrevBracketInToken(reversedBracketRegex, 1, text, 0, text.length); if (!r) { return null; } var bracketText = text.substring(r.startColumn - 1, r.endColumn - 1); bracketText = bracketText.toLowerCase(); var isOpen = this._richEditBrackets.textIsOpenBracket[bracketText]; if (isOpen) { return null; } var textBeforeBracket = text.substring(0, r.startColumn - 1); if (!/^\s*$/.test(textBeforeBracket)) { // There is other text on the line before the bracket return null; } return { matchOpenBracket: bracketText }; }; BracketElectricCharacterSupport.prototype._onElectricAutoClose = function (character, context, column) { if (!this._complexAutoClosePairs.length) { return null; } var line = context.getLineContent(); for (var i = 0, len = this._complexAutoClosePairs.length; i < len; i++) { var pair = this._complexAutoClosePairs[i]; // See if the right electric character was pressed if (character !== pair.open.charAt(pair.open.length - 1)) { continue; } // check if the full open bracket matches var start = column - pair.open.length + 1; var actual = line.substring(start - 1, column - 1) + character; if (actual !== pair.open) { continue; } var lastTokenIndex = context.findTokenIndexAtOffset(column - 1); var lastTokenStandardType = context.getStandardTokenType(lastTokenIndex); // If we're in a scope listed in 'notIn', do nothing if (!pair.isOK(lastTokenStandardType)) { continue; } // If this line already contains the closing tag, do nothing. if (line.indexOf(pair.close, column - 1) >= 0) { continue; } return { appendText: pair.close }; } return null; }; return BracketElectricCharacterSupport; }()); /***/ }), /***/ 1902: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IndentRulesSupport; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IndentRulesSupport = /** @class */ (function () { function IndentRulesSupport(indentationRules) { this._indentationRules = indentationRules; } IndentRulesSupport.prototype.shouldIncrease = function (text) { if (this._indentationRules) { if (this._indentationRules.increaseIndentPattern && this._indentationRules.increaseIndentPattern.test(text)) { return true; } // if (this._indentationRules.indentNextLinePattern && this._indentationRules.indentNextLinePattern.test(text)) { // return true; // } } return false; }; IndentRulesSupport.prototype.shouldDecrease = function (text) { if (this._indentationRules && this._indentationRules.decreaseIndentPattern && this._indentationRules.decreaseIndentPattern.test(text)) { return true; } return false; }; IndentRulesSupport.prototype.shouldIndentNextLine = function (text) { if (this._indentationRules && this._indentationRules.indentNextLinePattern && this._indentationRules.indentNextLinePattern.test(text)) { return true; } return false; }; IndentRulesSupport.prototype.shouldIgnore = function (text) { // the text matches `unIndentedLinePattern` if (this._indentationRules && this._indentationRules.unIndentedLinePattern && this._indentationRules.unIndentedLinePattern.test(text)) { return true; } return false; }; IndentRulesSupport.prototype.getIndentMetadata = function (text) { var ret = 0; if (this.shouldIncrease(text)) { ret += 1 /* INCREASE_MASK */; } if (this.shouldDecrease(text)) { ret += 2 /* DECREASE_MASK */; } if (this.shouldIndentNextLine(text)) { ret += 4 /* INDENT_NEXTLINE_MASK */; } if (this.shouldIgnore(text)) { ret += 8 /* UNINDENT_MASK */; } return ret; }; return IndentRulesSupport; }()); /***/ }), /***/ 1903: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return OnEnterSupport; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__languageConfiguration_js__ = __webpack_require__(1394); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var OnEnterSupport = /** @class */ (function () { function OnEnterSupport(opts) { var _this = this; opts = opts || {}; opts.brackets = opts.brackets || [ ['(', ')'], ['{', '}'], ['[', ']'] ]; this._brackets = []; opts.brackets.forEach(function (bracket) { var openRegExp = OnEnterSupport._createOpenBracketRegExp(bracket[0]); var closeRegExp = OnEnterSupport._createCloseBracketRegExp(bracket[1]); if (openRegExp && closeRegExp) { _this._brackets.push({ open: bracket[0], openRegExp: openRegExp, close: bracket[1], closeRegExp: closeRegExp, }); } }); this._regExpRules = opts.regExpRules || []; } OnEnterSupport.prototype.onEnter = function (oneLineAboveText, beforeEnterText, afterEnterText) { // (1): `regExpRules` for (var i = 0, len = this._regExpRules.length; i < len; i++) { var rule = this._regExpRules[i]; var regResult = [{ reg: rule.beforeText, text: beforeEnterText }, { reg: rule.afterText, text: afterEnterText }, { reg: rule.oneLineAboveText, text: oneLineAboveText }].every(function (obj) { return obj.reg ? obj.reg.test(obj.text) : true; }); if (regResult) { return rule.action; } } // (2): Special indent-outdent if (beforeEnterText.length > 0 && afterEnterText.length > 0) { for (var i = 0, len = this._brackets.length; i < len; i++) { var bracket = this._brackets[i]; if (bracket.openRegExp.test(beforeEnterText) && bracket.closeRegExp.test(afterEnterText)) { return { indentAction: __WEBPACK_IMPORTED_MODULE_2__languageConfiguration_js__["a" /* IndentAction */].IndentOutdent }; } } } // (4): Open bracket based logic if (beforeEnterText.length > 0) { for (var i = 0, len = this._brackets.length; i < len; i++) { var bracket = this._brackets[i]; if (bracket.openRegExp.test(beforeEnterText)) { return { indentAction: __WEBPACK_IMPORTED_MODULE_2__languageConfiguration_js__["a" /* IndentAction */].Indent }; } } } return null; }; OnEnterSupport._createOpenBracketRegExp = function (bracket) { var str = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["m" /* escapeRegExpCharacters */](bracket); if (!/\B/.test(str.charAt(0))) { str = '\\b' + str; } str += '\\s*$'; return OnEnterSupport._safeRegExp(str); }; OnEnterSupport._createCloseBracketRegExp = function (bracket) { var str = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["m" /* escapeRegExpCharacters */](bracket); if (!/\B/.test(str.charAt(str.length - 1))) { str = str + '\\b'; } str = '^\\s*' + str; return OnEnterSupport._safeRegExp(str); }; OnEnterSupport._safeRegExp = function (def) { try { return new RegExp(def); } catch (err) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(err); return null; } }; return OnEnterSupport; }()); /***/ }), /***/ 1904: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export BaseEditorSimpleWorker */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditorSimpleWorkerImpl; }); /* unused harmony export create */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_diff_diff_js__ = __webpack_require__(1688); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_iterator_js__ = __webpack_require__(1392); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__diff_diffComputer_js__ = __webpack_require__(1906); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__model_mirrorTextModel_js__ = __webpack_require__(1907); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__model_wordHelper_js__ = __webpack_require__(1440); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__modes_linkComputer_js__ = __webpack_require__(1908); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__modes_supports_inplaceReplaceSupport_js__ = __webpack_require__(1909); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__standalone_standaloneBase_js__ = __webpack_require__(1677); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__base_common_types_js__ = __webpack_require__(1057); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * @internal */ var MirrorModel = /** @class */ (function (_super) { __extends(MirrorModel, _super); function MirrorModel() { return _super !== null && _super.apply(this, arguments) || this; } Object.defineProperty(MirrorModel.prototype, "uri", { get: function () { return this._uri; }, enumerable: true, configurable: true }); Object.defineProperty(MirrorModel.prototype, "version", { get: function () { return this._versionId; }, enumerable: true, configurable: true }); Object.defineProperty(MirrorModel.prototype, "eol", { get: function () { return this._eol; }, enumerable: true, configurable: true }); MirrorModel.prototype.getValue = function () { return this.getText(); }; MirrorModel.prototype.getLinesContent = function () { return this._lines.slice(0); }; MirrorModel.prototype.getLineCount = function () { return this._lines.length; }; MirrorModel.prototype.getLineContent = function (lineNumber) { return this._lines[lineNumber - 1]; }; MirrorModel.prototype.getWordAtPosition = function (position, wordDefinition) { var wordAtText = Object(__WEBPACK_IMPORTED_MODULE_9__model_wordHelper_js__["d" /* getWordAtText */])(position.column, Object(__WEBPACK_IMPORTED_MODULE_9__model_wordHelper_js__["c" /* ensureValidWordDefinition */])(wordDefinition), this._lines[position.lineNumber - 1], 0); if (wordAtText) { return new __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */](position.lineNumber, wordAtText.startColumn, position.lineNumber, wordAtText.endColumn); } return null; }; MirrorModel.prototype.getWordUntilPosition = function (position, wordDefinition) { var wordAtPosition = this.getWordAtPosition(position, wordDefinition); if (!wordAtPosition) { return { word: '', startColumn: position.column, endColumn: position.column }; } return { word: this._lines[position.lineNumber - 1].substring(wordAtPosition.startColumn - 1, position.column - 1), startColumn: wordAtPosition.startColumn, endColumn: position.column }; }; MirrorModel.prototype.createWordIterator = function (wordDefinition) { var _this = this; var obj; var lineNumber = 0; var lineText; var wordRangesIdx = 0; var wordRanges = []; var next = function () { if (wordRangesIdx < wordRanges.length) { var value = lineText.substring(wordRanges[wordRangesIdx].start, wordRanges[wordRangesIdx].end); wordRangesIdx += 1; if (!obj) { obj = { done: false, value: value }; } else { obj.value = value; } return obj; } else if (lineNumber >= _this._lines.length) { return __WEBPACK_IMPORTED_MODULE_2__base_common_iterator_js__["a" /* FIN */]; } else { lineText = _this._lines[lineNumber]; wordRanges = _this._wordenize(lineText, wordDefinition); wordRangesIdx = 0; lineNumber += 1; return next(); } }; return { next: next }; }; MirrorModel.prototype.getLineWords = function (lineNumber, wordDefinition) { var content = this._lines[lineNumber - 1]; var ranges = this._wordenize(content, wordDefinition); var words = []; for (var _i = 0, ranges_1 = ranges; _i < ranges_1.length; _i++) { var range = ranges_1[_i]; words.push({ word: content.substring(range.start, range.end), startColumn: range.start + 1, endColumn: range.end + 1 }); } return words; }; MirrorModel.prototype._wordenize = function (content, wordDefinition) { var result = []; var match; wordDefinition.lastIndex = 0; // reset lastIndex just to be sure while (match = wordDefinition.exec(content)) { if (match[0].length === 0) { // it did match the empty string break; } result.push({ start: match.index, end: match.index + match[0].length }); } return result; }; MirrorModel.prototype.getValueInRange = function (range) { range = this._validateRange(range); if (range.startLineNumber === range.endLineNumber) { return this._lines[range.startLineNumber - 1].substring(range.startColumn - 1, range.endColumn - 1); } var lineEnding = this._eol; var startLineIndex = range.startLineNumber - 1; var endLineIndex = range.endLineNumber - 1; var resultLines = []; resultLines.push(this._lines[startLineIndex].substring(range.startColumn - 1)); for (var i = startLineIndex + 1; i < endLineIndex; i++) { resultLines.push(this._lines[i]); } resultLines.push(this._lines[endLineIndex].substring(0, range.endColumn - 1)); return resultLines.join(lineEnding); }; MirrorModel.prototype.offsetAt = function (position) { position = this._validatePosition(position); this._ensureLineStarts(); return this._lineStarts.getAccumulatedValue(position.lineNumber - 2) + (position.column - 1); }; MirrorModel.prototype.positionAt = function (offset) { offset = Math.floor(offset); offset = Math.max(0, offset); this._ensureLineStarts(); var out = this._lineStarts.getIndexOf(offset); var lineLength = this._lines[out.index].length; // Ensure we return a valid position return { lineNumber: 1 + out.index, column: 1 + Math.min(out.remainder, lineLength) }; }; MirrorModel.prototype._validateRange = function (range) { var start = this._validatePosition({ lineNumber: range.startLineNumber, column: range.startColumn }); var end = this._validatePosition({ lineNumber: range.endLineNumber, column: range.endColumn }); if (start.lineNumber !== range.startLineNumber || start.column !== range.startColumn || end.lineNumber !== range.endLineNumber || end.column !== range.endColumn) { return { startLineNumber: start.lineNumber, startColumn: start.column, endLineNumber: end.lineNumber, endColumn: end.column }; } return range; }; MirrorModel.prototype._validatePosition = function (position) { if (!__WEBPACK_IMPORTED_MODULE_5__core_position_js__["a" /* Position */].isIPosition(position)) { throw new Error('bad position'); } var lineNumber = position.lineNumber, column = position.column; var hasChanged = false; if (lineNumber < 1) { lineNumber = 1; column = 1; hasChanged = true; } else if (lineNumber > this._lines.length) { lineNumber = this._lines.length; column = this._lines[lineNumber - 1].length + 1; hasChanged = true; } else { var maxCharacter = this._lines[lineNumber - 1].length + 1; if (column < 1) { column = 1; hasChanged = true; } else if (column > maxCharacter) { column = maxCharacter; hasChanged = true; } } if (!hasChanged) { return position; } else { return { lineNumber: lineNumber, column: column }; } }; return MirrorModel; }(__WEBPACK_IMPORTED_MODULE_8__model_mirrorTextModel_js__["a" /* MirrorTextModel */])); /** * @internal */ var BaseEditorSimpleWorker = /** @class */ (function () { function BaseEditorSimpleWorker(foreignModuleFactory) { this._foreignModuleFactory = foreignModuleFactory; this._foreignModule = null; } // ---- BEGIN diff -------------------------------------------------------------------------- BaseEditorSimpleWorker.prototype.computeDiff = function (originalUrl, modifiedUrl, ignoreTrimWhitespace) { var original = this._getModel(originalUrl); var modified = this._getModel(modifiedUrl); if (!original || !modified) { return Promise.resolve(null); } var originalLines = original.getLinesContent(); var modifiedLines = modified.getLinesContent(); var diffComputer = new __WEBPACK_IMPORTED_MODULE_7__diff_diffComputer_js__["a" /* DiffComputer */](originalLines, modifiedLines, { shouldComputeCharChanges: true, shouldPostProcessCharChanges: true, shouldIgnoreTrimWhitespace: ignoreTrimWhitespace, shouldMakePrettyDiff: true }); var changes = diffComputer.computeDiff(); var identical = (changes.length > 0 ? false : this._modelsAreIdentical(original, modified)); return Promise.resolve({ identical: identical, changes: changes }); }; BaseEditorSimpleWorker.prototype._modelsAreIdentical = function (original, modified) { var originalLineCount = original.getLineCount(); var modifiedLineCount = modified.getLineCount(); if (originalLineCount !== modifiedLineCount) { return false; } for (var line = 1; line <= originalLineCount; line++) { var originalLine = original.getLineContent(line); var modifiedLine = modified.getLineContent(line); if (originalLine !== modifiedLine) { return false; } } return true; }; BaseEditorSimpleWorker.prototype.computeMoreMinimalEdits = function (modelUrl, edits) { var model = this._getModel(modelUrl); if (!model) { return Promise.resolve(edits); } var result = []; var lastEol = undefined; edits = Object(__WEBPACK_IMPORTED_MODULE_0__base_common_arrays_js__["h" /* mergeSort */])(edits, function (a, b) { if (a.range && b.range) { return __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */].compareRangesUsingStarts(a.range, b.range); } // eol only changes should go to the end var aRng = a.range ? 0 : 1; var bRng = b.range ? 0 : 1; return aRng - bRng; }); for (var _i = 0, edits_1 = edits; _i < edits_1.length; _i++) { var _a = edits_1[_i], range = _a.range, text = _a.text, eol = _a.eol; if (typeof eol === 'number') { lastEol = eol; } if (__WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */].isEmpty(range) && !text) { // empty change continue; } var original = model.getValueInRange(range); text = text.replace(/\r\n|\n|\r/g, model.eol); if (original === text) { // noop continue; } // make sure diff won't take too long if (Math.max(text.length, original.length) > BaseEditorSimpleWorker._diffLimit) { result.push({ range: range, text: text }); continue; } // compute diff between original and edit.text var changes = Object(__WEBPACK_IMPORTED_MODULE_1__base_common_diff_diff_js__["b" /* stringDiff */])(original, text, false); var editOffset = model.offsetAt(__WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */].lift(range).getStartPosition()); for (var _b = 0, changes_1 = changes; _b < changes_1.length; _b++) { var change = changes_1[_b]; var start = model.positionAt(editOffset + change.originalStart); var end = model.positionAt(editOffset + change.originalStart + change.originalLength); var newEdit = { text: text.substr(change.modifiedStart, change.modifiedLength), range: { startLineNumber: start.lineNumber, startColumn: start.column, endLineNumber: end.lineNumber, endColumn: end.column } }; if (model.getValueInRange(newEdit.range) !== newEdit.text) { result.push(newEdit); } } } if (typeof lastEol === 'number') { result.push({ eol: lastEol, text: '', range: { startLineNumber: 0, startColumn: 0, endLineNumber: 0, endColumn: 0 } }); } return Promise.resolve(result); }; // ---- END minimal edits --------------------------------------------------------------- BaseEditorSimpleWorker.prototype.computeLinks = function (modelUrl) { var model = this._getModel(modelUrl); if (!model) { return Promise.resolve(null); } return Promise.resolve(Object(__WEBPACK_IMPORTED_MODULE_10__modes_linkComputer_js__["a" /* computeLinks */])(model)); }; BaseEditorSimpleWorker.prototype.textualSuggest = function (modelUrl, position, wordDef, wordDefFlags) { var model = this._getModel(modelUrl); if (!model) { return Promise.resolve(null); } var suggestions = []; var wordDefRegExp = new RegExp(wordDef, wordDefFlags); var currentWord = model.getWordUntilPosition(position, wordDefRegExp); var seen = Object.create(null); seen[currentWord.word] = true; for (var iter = model.createWordIterator(wordDefRegExp), e = iter.next(); !e.done && suggestions.length <= BaseEditorSimpleWorker._suggestionsLimit; e = iter.next()) { var word = e.value; if (seen[word]) { continue; } seen[word] = true; if (!isNaN(Number(word))) { continue; } suggestions.push({ kind: 18 /* Text */, label: word, insertText: word, range: { startLineNumber: position.lineNumber, startColumn: currentWord.startColumn, endLineNumber: position.lineNumber, endColumn: currentWord.endColumn } }); } return Promise.resolve({ suggestions: suggestions }); }; // ---- END suggest -------------------------------------------------------------------------- //#region -- word ranges -- BaseEditorSimpleWorker.prototype.computeWordRanges = function (modelUrl, range, wordDef, wordDefFlags) { var model = this._getModel(modelUrl); if (!model) { return Promise.resolve(Object.create(null)); } var wordDefRegExp = new RegExp(wordDef, wordDefFlags); var result = Object.create(null); for (var line = range.startLineNumber; line < range.endLineNumber; line++) { var words = model.getLineWords(line, wordDefRegExp); for (var _i = 0, words_1 = words; _i < words_1.length; _i++) { var word = words_1[_i]; if (!isNaN(Number(word.word))) { continue; } var array = result[word.word]; if (!array) { array = []; result[word.word] = array; } array.push({ startLineNumber: line, startColumn: word.startColumn, endLineNumber: line, endColumn: word.endColumn }); } } return Promise.resolve(result); }; //#endregion BaseEditorSimpleWorker.prototype.navigateValueSet = function (modelUrl, range, up, wordDef, wordDefFlags) { var model = this._getModel(modelUrl); if (!model) { return Promise.resolve(null); } var wordDefRegExp = new RegExp(wordDef, wordDefFlags); if (range.startColumn === range.endColumn) { range = { startLineNumber: range.startLineNumber, startColumn: range.startColumn, endLineNumber: range.endLineNumber, endColumn: range.endColumn + 1 }; } var selectionText = model.getValueInRange(range); var wordRange = model.getWordAtPosition({ lineNumber: range.startLineNumber, column: range.startColumn }, wordDefRegExp); if (!wordRange) { return Promise.resolve(null); } var word = model.getValueInRange(wordRange); var result = __WEBPACK_IMPORTED_MODULE_11__modes_supports_inplaceReplaceSupport_js__["a" /* BasicInplaceReplace */].INSTANCE.navigateValueSet(range, selectionText, wordRange, word, up); return Promise.resolve(result); }; // ---- BEGIN foreign module support -------------------------------------------------------------------------- BaseEditorSimpleWorker.prototype.loadForeignModule = function (moduleId, createData) { var _this = this; var ctx = { getMirrorModels: function () { return _this._getModels(); } }; if (this._foreignModuleFactory) { this._foreignModule = this._foreignModuleFactory(ctx, createData); // static foreing module var methods = []; for (var _i = 0, _a = Object(__WEBPACK_IMPORTED_MODULE_13__base_common_types_js__["b" /* getAllPropertyNames */])(this._foreignModule); _i < _a.length; _i++) { var prop = _a[_i]; if (typeof this._foreignModule[prop] === 'function') { methods.push(prop); } } return Promise.resolve(methods); } // ESM-comment-begin // return new Promise<any>((resolve, reject) => { // require([moduleId], (foreignModule: { create: IForeignModuleFactory }) => { // this._foreignModule = foreignModule.create(ctx, createData); // // let methods: string[] = []; // for (const prop of getAllPropertyNames(this._foreignModule)) { // if (typeof this._foreignModule[prop] === 'function') { // methods.push(prop); // } // } // // resolve(methods); // // }, reject); // }); // ESM-comment-end // ESM-uncomment-begin return Promise.reject(new Error("Unexpected usage")); // ESM-uncomment-end }; // foreign method request BaseEditorSimpleWorker.prototype.fmr = function (method, args) { if (!this._foreignModule || typeof this._foreignModule[method] !== 'function') { return Promise.reject(new Error('Missing requestHandler or method: ' + method)); } try { return Promise.resolve(this._foreignModule[method].apply(this._foreignModule, args)); } catch (e) { return Promise.reject(e); } }; // ---- END diff -------------------------------------------------------------------------- // ---- BEGIN minimal edits --------------------------------------------------------------- BaseEditorSimpleWorker._diffLimit = 10000; // ---- BEGIN suggest -------------------------------------------------------------------------- BaseEditorSimpleWorker._suggestionsLimit = 10000; return BaseEditorSimpleWorker; }()); /** * @internal */ var EditorSimpleWorkerImpl = /** @class */ (function (_super) { __extends(EditorSimpleWorkerImpl, _super); function EditorSimpleWorkerImpl(foreignModuleFactory) { var _this = _super.call(this, foreignModuleFactory) || this; _this._models = Object.create(null); return _this; } EditorSimpleWorkerImpl.prototype.dispose = function () { this._models = Object.create(null); }; EditorSimpleWorkerImpl.prototype._getModel = function (uri) { return this._models[uri]; }; EditorSimpleWorkerImpl.prototype._getModels = function () { var _this = this; var all = []; Object.keys(this._models).forEach(function (key) { return all.push(_this._models[key]); }); return all; }; EditorSimpleWorkerImpl.prototype.acceptNewModel = function (data) { this._models[data.url] = new MirrorModel(__WEBPACK_IMPORTED_MODULE_4__base_common_uri_js__["a" /* URI */].parse(data.url), data.lines, data.EOL, data.versionId); }; EditorSimpleWorkerImpl.prototype.acceptModelChanged = function (strURL, e) { if (!this._models[strURL]) { return; } var model = this._models[strURL]; model.onEvents(e); }; EditorSimpleWorkerImpl.prototype.acceptRemovedModel = function (strURL) { if (!this._models[strURL]) { return; } delete this._models[strURL]; }; return EditorSimpleWorkerImpl; }(BaseEditorSimpleWorker)); /** * Called on the worker side * @internal */ function create() { return new EditorSimpleWorkerImpl(null); } if (typeof importScripts === 'function') { // Running in a web worker __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["b" /* globals */].monaco = Object(__WEBPACK_IMPORTED_MODULE_12__standalone_standaloneBase_js__["a" /* createMonacoBaseAPI */])(); } /***/ }), /***/ 1905: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DiffChange; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Represents information about a specific difference between two sequences. */ var DiffChange = /** @class */ (function () { /** * Constructs a new DiffChange with the given sequence information * and content. */ function DiffChange(originalStart, originalLength, modifiedStart, modifiedLength) { //Debug.Assert(originalLength > 0 || modifiedLength > 0, "originalLength and modifiedLength cannot both be <= 0"); this.originalStart = originalStart; this.originalLength = originalLength; this.modifiedStart = modifiedStart; this.modifiedLength = modifiedLength; } /** * The end point (exclusive) of the change in the original sequence. */ DiffChange.prototype.getOriginalEnd = function () { return this.originalStart + this.originalLength; }; /** * The end point (exclusive) of the change in the modified sequence. */ DiffChange.prototype.getModifiedEnd = function () { return this.modifiedStart + this.modifiedLength; }; return DiffChange; }()); /***/ }), /***/ 1906: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DiffComputer; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_diff_diff_js__ = __webpack_require__(1688); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var MAXIMUM_RUN_TIME = 5000; // 5 seconds var MINIMUM_MATCHING_CHARACTER_LENGTH = 3; function computeDiff(originalSequence, modifiedSequence, continueProcessingPredicate, pretty) { var diffAlgo = new __WEBPACK_IMPORTED_MODULE_0__base_common_diff_diff_js__["a" /* LcsDiff */](originalSequence, modifiedSequence, continueProcessingPredicate); return diffAlgo.ComputeDiff(pretty); } var LineMarkerSequence = /** @class */ (function () { function LineMarkerSequence(lines) { var startColumns = []; var endColumns = []; for (var i = 0, length_1 = lines.length; i < length_1; i++) { startColumns[i] = LineMarkerSequence._getFirstNonBlankColumn(lines[i], 1); endColumns[i] = LineMarkerSequence._getLastNonBlankColumn(lines[i], 1); } this._lines = lines; this._startColumns = startColumns; this._endColumns = endColumns; } LineMarkerSequence.prototype.getLength = function () { return this._lines.length; }; LineMarkerSequence.prototype.getElementAtIndex = function (i) { return this._lines[i].substring(this._startColumns[i] - 1, this._endColumns[i] - 1); }; LineMarkerSequence.prototype.getStartLineNumber = function (i) { return i + 1; }; LineMarkerSequence.prototype.getEndLineNumber = function (i) { return i + 1; }; LineMarkerSequence._getFirstNonBlankColumn = function (txt, defaultValue) { var r = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](txt); if (r === -1) { return defaultValue; } return r + 1; }; LineMarkerSequence._getLastNonBlankColumn = function (txt, defaultValue) { var r = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["x" /* lastNonWhitespaceIndex */](txt); if (r === -1) { return defaultValue; } return r + 2; }; LineMarkerSequence.prototype.getCharSequence = function (shouldIgnoreTrimWhitespace, startIndex, endIndex) { var charCodes = []; var lineNumbers = []; var columns = []; var len = 0; for (var index = startIndex; index <= endIndex; index++) { var lineContent = this._lines[index]; var startColumn = (shouldIgnoreTrimWhitespace ? this._startColumns[index] : 1); var endColumn = (shouldIgnoreTrimWhitespace ? this._endColumns[index] : lineContent.length + 1); for (var col = startColumn; col < endColumn; col++) { charCodes[len] = lineContent.charCodeAt(col - 1); lineNumbers[len] = index + 1; columns[len] = col; len++; } } return new CharSequence(charCodes, lineNumbers, columns); }; return LineMarkerSequence; }()); var CharSequence = /** @class */ (function () { function CharSequence(charCodes, lineNumbers, columns) { this._charCodes = charCodes; this._lineNumbers = lineNumbers; this._columns = columns; } CharSequence.prototype.getLength = function () { return this._charCodes.length; }; CharSequence.prototype.getElementAtIndex = function (i) { return this._charCodes[i]; }; CharSequence.prototype.getStartLineNumber = function (i) { return this._lineNumbers[i]; }; CharSequence.prototype.getStartColumn = function (i) { return this._columns[i]; }; CharSequence.prototype.getEndLineNumber = function (i) { return this._lineNumbers[i]; }; CharSequence.prototype.getEndColumn = function (i) { return this._columns[i] + 1; }; return CharSequence; }()); var CharChange = /** @class */ (function () { function CharChange(originalStartLineNumber, originalStartColumn, originalEndLineNumber, originalEndColumn, modifiedStartLineNumber, modifiedStartColumn, modifiedEndLineNumber, modifiedEndColumn) { this.originalStartLineNumber = originalStartLineNumber; this.originalStartColumn = originalStartColumn; this.originalEndLineNumber = originalEndLineNumber; this.originalEndColumn = originalEndColumn; this.modifiedStartLineNumber = modifiedStartLineNumber; this.modifiedStartColumn = modifiedStartColumn; this.modifiedEndLineNumber = modifiedEndLineNumber; this.modifiedEndColumn = modifiedEndColumn; } CharChange.createFromDiffChange = function (diffChange, originalCharSequence, modifiedCharSequence) { var originalStartLineNumber; var originalStartColumn; var originalEndLineNumber; var originalEndColumn; var modifiedStartLineNumber; var modifiedStartColumn; var modifiedEndLineNumber; var modifiedEndColumn; if (diffChange.originalLength === 0) { originalStartLineNumber = 0; originalStartColumn = 0; originalEndLineNumber = 0; originalEndColumn = 0; } else { originalStartLineNumber = originalCharSequence.getStartLineNumber(diffChange.originalStart); originalStartColumn = originalCharSequence.getStartColumn(diffChange.originalStart); originalEndLineNumber = originalCharSequence.getEndLineNumber(diffChange.originalStart + diffChange.originalLength - 1); originalEndColumn = originalCharSequence.getEndColumn(diffChange.originalStart + diffChange.originalLength - 1); } if (diffChange.modifiedLength === 0) { modifiedStartLineNumber = 0; modifiedStartColumn = 0; modifiedEndLineNumber = 0; modifiedEndColumn = 0; } else { modifiedStartLineNumber = modifiedCharSequence.getStartLineNumber(diffChange.modifiedStart); modifiedStartColumn = modifiedCharSequence.getStartColumn(diffChange.modifiedStart); modifiedEndLineNumber = modifiedCharSequence.getEndLineNumber(diffChange.modifiedStart + diffChange.modifiedLength - 1); modifiedEndColumn = modifiedCharSequence.getEndColumn(diffChange.modifiedStart + diffChange.modifiedLength - 1); } return new CharChange(originalStartLineNumber, originalStartColumn, originalEndLineNumber, originalEndColumn, modifiedStartLineNumber, modifiedStartColumn, modifiedEndLineNumber, modifiedEndColumn); }; return CharChange; }()); function postProcessCharChanges(rawChanges) { if (rawChanges.length <= 1) { return rawChanges; } var result = [rawChanges[0]]; var prevChange = result[0]; for (var i = 1, len = rawChanges.length; i < len; i++) { var currChange = rawChanges[i]; var originalMatchingLength = currChange.originalStart - (prevChange.originalStart + prevChange.originalLength); var modifiedMatchingLength = currChange.modifiedStart - (prevChange.modifiedStart + prevChange.modifiedLength); // Both of the above should be equal, but the continueProcessingPredicate may prevent this from being true var matchingLength = Math.min(originalMatchingLength, modifiedMatchingLength); if (matchingLength < MINIMUM_MATCHING_CHARACTER_LENGTH) { // Merge the current change into the previous one prevChange.originalLength = (currChange.originalStart + currChange.originalLength) - prevChange.originalStart; prevChange.modifiedLength = (currChange.modifiedStart + currChange.modifiedLength) - prevChange.modifiedStart; } else { // Add the current change result.push(currChange); prevChange = currChange; } } return result; } var LineChange = /** @class */ (function () { function LineChange(originalStartLineNumber, originalEndLineNumber, modifiedStartLineNumber, modifiedEndLineNumber, charChanges) { this.originalStartLineNumber = originalStartLineNumber; this.originalEndLineNumber = originalEndLineNumber; this.modifiedStartLineNumber = modifiedStartLineNumber; this.modifiedEndLineNumber = modifiedEndLineNumber; this.charChanges = charChanges; } LineChange.createFromDiffResult = function (shouldIgnoreTrimWhitespace, diffChange, originalLineSequence, modifiedLineSequence, continueProcessingPredicate, shouldComputeCharChanges, shouldPostProcessCharChanges) { var originalStartLineNumber; var originalEndLineNumber; var modifiedStartLineNumber; var modifiedEndLineNumber; var charChanges = undefined; if (diffChange.originalLength === 0) { originalStartLineNumber = originalLineSequence.getStartLineNumber(diffChange.originalStart) - 1; originalEndLineNumber = 0; } else { originalStartLineNumber = originalLineSequence.getStartLineNumber(diffChange.originalStart); originalEndLineNumber = originalLineSequence.getEndLineNumber(diffChange.originalStart + diffChange.originalLength - 1); } if (diffChange.modifiedLength === 0) { modifiedStartLineNumber = modifiedLineSequence.getStartLineNumber(diffChange.modifiedStart) - 1; modifiedEndLineNumber = 0; } else { modifiedStartLineNumber = modifiedLineSequence.getStartLineNumber(diffChange.modifiedStart); modifiedEndLineNumber = modifiedLineSequence.getEndLineNumber(diffChange.modifiedStart + diffChange.modifiedLength - 1); } if (shouldComputeCharChanges && diffChange.originalLength !== 0 && diffChange.modifiedLength !== 0 && continueProcessingPredicate()) { var originalCharSequence = originalLineSequence.getCharSequence(shouldIgnoreTrimWhitespace, diffChange.originalStart, diffChange.originalStart + diffChange.originalLength - 1); var modifiedCharSequence = modifiedLineSequence.getCharSequence(shouldIgnoreTrimWhitespace, diffChange.modifiedStart, diffChange.modifiedStart + diffChange.modifiedLength - 1); var rawChanges = computeDiff(originalCharSequence, modifiedCharSequence, continueProcessingPredicate, true); if (shouldPostProcessCharChanges) { rawChanges = postProcessCharChanges(rawChanges); } charChanges = []; for (var i = 0, length_2 = rawChanges.length; i < length_2; i++) { charChanges.push(CharChange.createFromDiffChange(rawChanges[i], originalCharSequence, modifiedCharSequence)); } } return new LineChange(originalStartLineNumber, originalEndLineNumber, modifiedStartLineNumber, modifiedEndLineNumber, charChanges); }; return LineChange; }()); var DiffComputer = /** @class */ (function () { function DiffComputer(originalLines, modifiedLines, opts) { this.shouldComputeCharChanges = opts.shouldComputeCharChanges; this.shouldPostProcessCharChanges = opts.shouldPostProcessCharChanges; this.shouldIgnoreTrimWhitespace = opts.shouldIgnoreTrimWhitespace; this.shouldMakePrettyDiff = opts.shouldMakePrettyDiff; this.maximumRunTimeMs = MAXIMUM_RUN_TIME; this.originalLines = originalLines; this.modifiedLines = modifiedLines; this.original = new LineMarkerSequence(originalLines); this.modified = new LineMarkerSequence(modifiedLines); } DiffComputer.prototype.computeDiff = function () { if (this.original.getLength() === 1 && this.original.getElementAtIndex(0).length === 0) { // empty original => fast path return [{ originalStartLineNumber: 1, originalEndLineNumber: 1, modifiedStartLineNumber: 1, modifiedEndLineNumber: this.modified.getLength(), charChanges: [{ modifiedEndColumn: 0, modifiedEndLineNumber: 0, modifiedStartColumn: 0, modifiedStartLineNumber: 0, originalEndColumn: 0, originalEndLineNumber: 0, originalStartColumn: 0, originalStartLineNumber: 0 }] }]; } if (this.modified.getLength() === 1 && this.modified.getElementAtIndex(0).length === 0) { // empty modified => fast path return [{ originalStartLineNumber: 1, originalEndLineNumber: this.original.getLength(), modifiedStartLineNumber: 1, modifiedEndLineNumber: 1, charChanges: [{ modifiedEndColumn: 0, modifiedEndLineNumber: 0, modifiedStartColumn: 0, modifiedStartLineNumber: 0, originalEndColumn: 0, originalEndLineNumber: 0, originalStartColumn: 0, originalStartLineNumber: 0 }] }]; } this.computationStartTime = (new Date()).getTime(); var rawChanges = computeDiff(this.original, this.modified, this._continueProcessingPredicate.bind(this), this.shouldMakePrettyDiff); // The diff is always computed with ignoring trim whitespace // This ensures we get the prettiest diff if (this.shouldIgnoreTrimWhitespace) { var lineChanges = []; for (var i = 0, length_3 = rawChanges.length; i < length_3; i++) { lineChanges.push(LineChange.createFromDiffResult(this.shouldIgnoreTrimWhitespace, rawChanges[i], this.original, this.modified, this._continueProcessingPredicate.bind(this), this.shouldComputeCharChanges, this.shouldPostProcessCharChanges)); } return lineChanges; } // Need to post-process and introduce changes where the trim whitespace is different // Note that we are looping starting at -1 to also cover the lines before the first change var result = []; var originalLineIndex = 0; var modifiedLineIndex = 0; for (var i = -1 /* !!!! */, len = rawChanges.length; i < len; i++) { var nextChange = (i + 1 < len ? rawChanges[i + 1] : null); var originalStop = (nextChange ? nextChange.originalStart : this.originalLines.length); var modifiedStop = (nextChange ? nextChange.modifiedStart : this.modifiedLines.length); while (originalLineIndex < originalStop && modifiedLineIndex < modifiedStop) { var originalLine = this.originalLines[originalLineIndex]; var modifiedLine = this.modifiedLines[modifiedLineIndex]; if (originalLine !== modifiedLine) { // These lines differ only in trim whitespace // Check the leading whitespace { var originalStartColumn = LineMarkerSequence._getFirstNonBlankColumn(originalLine, 1); var modifiedStartColumn = LineMarkerSequence._getFirstNonBlankColumn(modifiedLine, 1); while (originalStartColumn > 1 && modifiedStartColumn > 1) { var originalChar = originalLine.charCodeAt(originalStartColumn - 2); var modifiedChar = modifiedLine.charCodeAt(modifiedStartColumn - 2); if (originalChar !== modifiedChar) { break; } originalStartColumn--; modifiedStartColumn--; } if (originalStartColumn > 1 || modifiedStartColumn > 1) { this._pushTrimWhitespaceCharChange(result, originalLineIndex + 1, 1, originalStartColumn, modifiedLineIndex + 1, 1, modifiedStartColumn); } } // Check the trailing whitespace { var originalEndColumn = LineMarkerSequence._getLastNonBlankColumn(originalLine, 1); var modifiedEndColumn = LineMarkerSequence._getLastNonBlankColumn(modifiedLine, 1); var originalMaxColumn = originalLine.length + 1; var modifiedMaxColumn = modifiedLine.length + 1; while (originalEndColumn < originalMaxColumn && modifiedEndColumn < modifiedMaxColumn) { var originalChar = originalLine.charCodeAt(originalEndColumn - 1); var modifiedChar = originalLine.charCodeAt(modifiedEndColumn - 1); if (originalChar !== modifiedChar) { break; } originalEndColumn++; modifiedEndColumn++; } if (originalEndColumn < originalMaxColumn || modifiedEndColumn < modifiedMaxColumn) { this._pushTrimWhitespaceCharChange(result, originalLineIndex + 1, originalEndColumn, originalMaxColumn, modifiedLineIndex + 1, modifiedEndColumn, modifiedMaxColumn); } } } originalLineIndex++; modifiedLineIndex++; } if (nextChange) { // Emit the actual change result.push(LineChange.createFromDiffResult(this.shouldIgnoreTrimWhitespace, nextChange, this.original, this.modified, this._continueProcessingPredicate.bind(this), this.shouldComputeCharChanges, this.shouldPostProcessCharChanges)); originalLineIndex += nextChange.originalLength; modifiedLineIndex += nextChange.modifiedLength; } } return result; }; DiffComputer.prototype._pushTrimWhitespaceCharChange = function (result, originalLineNumber, originalStartColumn, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedEndColumn) { if (this._mergeTrimWhitespaceCharChange(result, originalLineNumber, originalStartColumn, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedEndColumn)) { // Merged into previous return; } var charChanges = undefined; if (this.shouldComputeCharChanges) { charChanges = [new CharChange(originalLineNumber, originalStartColumn, originalLineNumber, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedLineNumber, modifiedEndColumn)]; } result.push(new LineChange(originalLineNumber, originalLineNumber, modifiedLineNumber, modifiedLineNumber, charChanges)); }; DiffComputer.prototype._mergeTrimWhitespaceCharChange = function (result, originalLineNumber, originalStartColumn, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedEndColumn) { var len = result.length; if (len === 0) { return false; } var prevChange = result[len - 1]; if (prevChange.originalEndLineNumber === 0 || prevChange.modifiedEndLineNumber === 0) { // Don't merge with inserts/deletes return false; } if (prevChange.originalEndLineNumber + 1 === originalLineNumber && prevChange.modifiedEndLineNumber + 1 === modifiedLineNumber) { prevChange.originalEndLineNumber = originalLineNumber; prevChange.modifiedEndLineNumber = modifiedLineNumber; if (this.shouldComputeCharChanges) { prevChange.charChanges.push(new CharChange(originalLineNumber, originalStartColumn, originalLineNumber, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedLineNumber, modifiedEndColumn)); } return true; } return false; }; DiffComputer.prototype._continueProcessingPredicate = function () { if (this.maximumRunTimeMs === 0) { return true; } var now = (new Date()).getTime(); return now - this.computationStartTime < this.maximumRunTimeMs; }; return DiffComputer; }()); /***/ }), /***/ 1907: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MirrorTextModel; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__viewModel_prefixSumComputer_js__ = __webpack_require__(1566); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var MirrorTextModel = /** @class */ (function () { function MirrorTextModel(uri, lines, eol, versionId) { this._uri = uri; this._lines = lines; this._eol = eol; this._versionId = versionId; this._lineStarts = null; } MirrorTextModel.prototype.dispose = function () { this._lines.length = 0; }; MirrorTextModel.prototype.getText = function () { return this._lines.join(this._eol); }; MirrorTextModel.prototype.onEvents = function (e) { if (e.eol && e.eol !== this._eol) { this._eol = e.eol; this._lineStarts = null; } // Update my lines var changes = e.changes; for (var _i = 0, changes_1 = changes; _i < changes_1.length; _i++) { var change = changes_1[_i]; this._acceptDeleteRange(change.range); this._acceptInsertText(new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](change.range.startLineNumber, change.range.startColumn), change.text); } this._versionId = e.versionId; }; MirrorTextModel.prototype._ensureLineStarts = function () { if (!this._lineStarts) { var eolLength = this._eol.length; var linesLength = this._lines.length; var lineStartValues = new Uint32Array(linesLength); for (var i = 0; i < linesLength; i++) { lineStartValues[i] = this._lines[i].length + eolLength; } this._lineStarts = new __WEBPACK_IMPORTED_MODULE_1__viewModel_prefixSumComputer_js__["a" /* PrefixSumComputer */](lineStartValues); } }; /** * All changes to a line's text go through this method */ MirrorTextModel.prototype._setLineText = function (lineIndex, newValue) { this._lines[lineIndex] = newValue; if (this._lineStarts) { // update prefix sum this._lineStarts.changeValue(lineIndex, this._lines[lineIndex].length + this._eol.length); } }; MirrorTextModel.prototype._acceptDeleteRange = function (range) { if (range.startLineNumber === range.endLineNumber) { if (range.startColumn === range.endColumn) { // Nothing to delete return; } // Delete text on the affected line this._setLineText(range.startLineNumber - 1, this._lines[range.startLineNumber - 1].substring(0, range.startColumn - 1) + this._lines[range.startLineNumber - 1].substring(range.endColumn - 1)); return; } // Take remaining text on last line and append it to remaining text on first line this._setLineText(range.startLineNumber - 1, this._lines[range.startLineNumber - 1].substring(0, range.startColumn - 1) + this._lines[range.endLineNumber - 1].substring(range.endColumn - 1)); // Delete middle lines this._lines.splice(range.startLineNumber, range.endLineNumber - range.startLineNumber); if (this._lineStarts) { // update prefix sum this._lineStarts.removeValues(range.startLineNumber, range.endLineNumber - range.startLineNumber); } }; MirrorTextModel.prototype._acceptInsertText = function (position, insertText) { if (insertText.length === 0) { // Nothing to insert return; } var insertLines = insertText.split(/\r\n|\r|\n/); if (insertLines.length === 1) { // Inserting text on one line this._setLineText(position.lineNumber - 1, this._lines[position.lineNumber - 1].substring(0, position.column - 1) + insertLines[0] + this._lines[position.lineNumber - 1].substring(position.column - 1)); return; } // Append overflowing text from first line to the end of text to insert insertLines[insertLines.length - 1] += this._lines[position.lineNumber - 1].substring(position.column - 1); // Delete overflowing text from first line and insert text on first line this._setLineText(position.lineNumber - 1, this._lines[position.lineNumber - 1].substring(0, position.column - 1) + insertLines[0]); // Insert new lines & store lengths var newLengths = new Uint32Array(insertLines.length - 1); for (var i = 1; i < insertLines.length; i++) { this._lines.splice(position.lineNumber + i - 1, 0, insertLines[i]); newLengths[i - 1] = insertLines[i].length + this._eol.length; } if (this._lineStarts) { // update prefix sum this._lineStarts.insertValues(position.lineNumber, newLengths); } }; return MirrorTextModel; }()); /***/ }), /***/ 1908: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export StateMachine */ /* unused harmony export LinkComputer */ /* harmony export (immutable) */ __webpack_exports__["a"] = computeLinks; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_characterClassifier_js__ = __webpack_require__(1567); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_uint_js__ = __webpack_require__(1444); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var StateMachine = /** @class */ (function () { function StateMachine(edges) { var maxCharCode = 0; var maxState = 0 /* Invalid */; for (var i = 0, len = edges.length; i < len; i++) { var _a = edges[i], from = _a[0], chCode = _a[1], to = _a[2]; if (chCode > maxCharCode) { maxCharCode = chCode; } if (from > maxState) { maxState = from; } if (to > maxState) { maxState = to; } } maxCharCode++; maxState++; var states = new __WEBPACK_IMPORTED_MODULE_1__core_uint_js__["a" /* Uint8Matrix */](maxState, maxCharCode, 0 /* Invalid */); for (var i = 0, len = edges.length; i < len; i++) { var _b = edges[i], from = _b[0], chCode = _b[1], to = _b[2]; states.set(from, chCode, to); } this._states = states; this._maxCharCode = maxCharCode; } StateMachine.prototype.nextState = function (currentState, chCode) { if (chCode < 0 || chCode >= this._maxCharCode) { return 0 /* Invalid */; } return this._states.get(currentState, chCode); }; return StateMachine; }()); // State machine for http:// or https:// or file:// var _stateMachine = null; function getStateMachine() { if (_stateMachine === null) { _stateMachine = new StateMachine([ [1 /* Start */, 104 /* h */, 2 /* H */], [1 /* Start */, 72 /* H */, 2 /* H */], [1 /* Start */, 102 /* f */, 6 /* F */], [1 /* Start */, 70 /* F */, 6 /* F */], [2 /* H */, 116 /* t */, 3 /* HT */], [2 /* H */, 84 /* T */, 3 /* HT */], [3 /* HT */, 116 /* t */, 4 /* HTT */], [3 /* HT */, 84 /* T */, 4 /* HTT */], [4 /* HTT */, 112 /* p */, 5 /* HTTP */], [4 /* HTT */, 80 /* P */, 5 /* HTTP */], [5 /* HTTP */, 115 /* s */, 9 /* BeforeColon */], [5 /* HTTP */, 83 /* S */, 9 /* BeforeColon */], [5 /* HTTP */, 58 /* Colon */, 10 /* AfterColon */], [6 /* F */, 105 /* i */, 7 /* FI */], [6 /* F */, 73 /* I */, 7 /* FI */], [7 /* FI */, 108 /* l */, 8 /* FIL */], [7 /* FI */, 76 /* L */, 8 /* FIL */], [8 /* FIL */, 101 /* e */, 9 /* BeforeColon */], [8 /* FIL */, 69 /* E */, 9 /* BeforeColon */], [9 /* BeforeColon */, 58 /* Colon */, 10 /* AfterColon */], [10 /* AfterColon */, 47 /* Slash */, 11 /* AlmostThere */], [11 /* AlmostThere */, 47 /* Slash */, 12 /* End */], ]); } return _stateMachine; } var _classifier = null; function getClassifier() { if (_classifier === null) { _classifier = new __WEBPACK_IMPORTED_MODULE_0__core_characterClassifier_js__["a" /* CharacterClassifier */](0 /* None */); var FORCE_TERMINATION_CHARACTERS = ' \t<>\'\"、。。、,.:;?!@#$%&*‘“〈《「『【〔([{「」}])〕】』」》〉”’`~…'; for (var i = 0; i < FORCE_TERMINATION_CHARACTERS.length; i++) { _classifier.set(FORCE_TERMINATION_CHARACTERS.charCodeAt(i), 1 /* ForceTermination */); } var CANNOT_END_WITH_CHARACTERS = '.,;'; for (var i = 0; i < CANNOT_END_WITH_CHARACTERS.length; i++) { _classifier.set(CANNOT_END_WITH_CHARACTERS.charCodeAt(i), 2 /* CannotEndIn */); } } return _classifier; } var LinkComputer = /** @class */ (function () { function LinkComputer() { } LinkComputer._createLink = function (classifier, line, lineNumber, linkBeginIndex, linkEndIndex) { // Do not allow to end link in certain characters... var lastIncludedCharIndex = linkEndIndex - 1; do { var chCode = line.charCodeAt(lastIncludedCharIndex); var chClass = classifier.get(chCode); if (chClass !== 2 /* CannotEndIn */) { break; } lastIncludedCharIndex--; } while (lastIncludedCharIndex > linkBeginIndex); // Handle links enclosed in parens, square brackets and curlys. if (linkBeginIndex > 0) { var charCodeBeforeLink = line.charCodeAt(linkBeginIndex - 1); var lastCharCodeInLink = line.charCodeAt(lastIncludedCharIndex); if ((charCodeBeforeLink === 40 /* OpenParen */ && lastCharCodeInLink === 41 /* CloseParen */) || (charCodeBeforeLink === 91 /* OpenSquareBracket */ && lastCharCodeInLink === 93 /* CloseSquareBracket */) || (charCodeBeforeLink === 123 /* OpenCurlyBrace */ && lastCharCodeInLink === 125 /* CloseCurlyBrace */)) { // Do not end in ) if ( is before the link start // Do not end in ] if [ is before the link start // Do not end in } if { is before the link start lastIncludedCharIndex--; } } return { range: { startLineNumber: lineNumber, startColumn: linkBeginIndex + 1, endLineNumber: lineNumber, endColumn: lastIncludedCharIndex + 2 }, url: line.substring(linkBeginIndex, lastIncludedCharIndex + 1) }; }; LinkComputer.computeLinks = function (model, stateMachine) { if (stateMachine === void 0) { stateMachine = getStateMachine(); } var classifier = getClassifier(); var result = []; for (var i = 1, lineCount = model.getLineCount(); i <= lineCount; i++) { var line = model.getLineContent(i); var len = line.length; var j = 0; var linkBeginIndex = 0; var linkBeginChCode = 0; var state = 1 /* Start */; var hasOpenParens = false; var hasOpenSquareBracket = false; var hasOpenCurlyBracket = false; while (j < len) { var resetStateMachine = false; var chCode = line.charCodeAt(j); if (state === 13 /* Accept */) { var chClass = void 0; switch (chCode) { case 40 /* OpenParen */: hasOpenParens = true; chClass = 0 /* None */; break; case 41 /* CloseParen */: chClass = (hasOpenParens ? 0 /* None */ : 1 /* ForceTermination */); break; case 91 /* OpenSquareBracket */: hasOpenSquareBracket = true; chClass = 0 /* None */; break; case 93 /* CloseSquareBracket */: chClass = (hasOpenSquareBracket ? 0 /* None */ : 1 /* ForceTermination */); break; case 123 /* OpenCurlyBrace */: hasOpenCurlyBracket = true; chClass = 0 /* None */; break; case 125 /* CloseCurlyBrace */: chClass = (hasOpenCurlyBracket ? 0 /* None */ : 1 /* ForceTermination */); break; /* The following three rules make it that ' or " or ` are allowed inside links if the link began with a different one */ case 39 /* SingleQuote */: chClass = (linkBeginChCode === 34 /* DoubleQuote */ || linkBeginChCode === 96 /* BackTick */) ? 0 /* None */ : 1 /* ForceTermination */; break; case 34 /* DoubleQuote */: chClass = (linkBeginChCode === 39 /* SingleQuote */ || linkBeginChCode === 96 /* BackTick */) ? 0 /* None */ : 1 /* ForceTermination */; break; case 96 /* BackTick */: chClass = (linkBeginChCode === 39 /* SingleQuote */ || linkBeginChCode === 34 /* DoubleQuote */) ? 0 /* None */ : 1 /* ForceTermination */; break; default: chClass = classifier.get(chCode); } // Check if character terminates link if (chClass === 1 /* ForceTermination */) { result.push(LinkComputer._createLink(classifier, line, i, linkBeginIndex, j)); resetStateMachine = true; } } else if (state === 12 /* End */) { var chClass = void 0; if (chCode === 91 /* OpenSquareBracket */) { // Allow for the authority part to contain ipv6 addresses which contain [ and ] hasOpenSquareBracket = true; chClass = 0 /* None */; } else { chClass = classifier.get(chCode); } // Check if character terminates link if (chClass === 1 /* ForceTermination */) { resetStateMachine = true; } else { state = 13 /* Accept */; } } else { state = stateMachine.nextState(state, chCode); if (state === 0 /* Invalid */) { resetStateMachine = true; } } if (resetStateMachine) { state = 1 /* Start */; hasOpenParens = false; hasOpenSquareBracket = false; hasOpenCurlyBracket = false; // Record where the link started linkBeginIndex = j + 1; linkBeginChCode = chCode; } j++; } if (state === 13 /* Accept */) { result.push(LinkComputer._createLink(classifier, line, i, linkBeginIndex, len)); } } return result; }; return LinkComputer; }()); /** * Returns an array of all links contains in the provided * document. *Note* that this operation is computational * expensive and should not run in the UI thread. */ function computeLinks(model) { if (!model || typeof model.getLineCount !== 'function' || typeof model.getLineContent !== 'function') { // Unknown caller! return []; } return LinkComputer.computeLinks(model); } /***/ }), /***/ 1909: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return BasicInplaceReplace; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var BasicInplaceReplace = /** @class */ (function () { function BasicInplaceReplace() { this._defaultValueSet = [ ['true', 'false'], ['True', 'False'], ['Private', 'Public', 'Friend', 'ReadOnly', 'Partial', 'Protected', 'WriteOnly'], ['public', 'protected', 'private'], ]; } BasicInplaceReplace.prototype.navigateValueSet = function (range1, text1, range2, text2, up) { if (range1 && text1) { var result = this.doNavigateValueSet(text1, up); if (result) { return { range: range1, value: result }; } } if (range2 && text2) { var result = this.doNavigateValueSet(text2, up); if (result) { return { range: range2, value: result }; } } return null; }; BasicInplaceReplace.prototype.doNavigateValueSet = function (text, up) { var numberResult = this.numberReplace(text, up); if (numberResult !== null) { return numberResult; } return this.textReplace(text, up); }; BasicInplaceReplace.prototype.numberReplace = function (value, up) { var precision = Math.pow(10, value.length - (value.lastIndexOf('.') + 1)); var n1 = Number(value); var n2 = parseFloat(value); if (!isNaN(n1) && !isNaN(n2) && n1 === n2) { if (n1 === 0 && !up) { return null; // don't do negative // } else if(n1 === 9 && up) { // return null; // don't insert 10 into a number } else { n1 = Math.floor(n1 * precision); n1 += up ? precision : -precision; return String(n1 / precision); } } return null; }; BasicInplaceReplace.prototype.textReplace = function (value, up) { return this.valueSetsReplace(this._defaultValueSet, value, up); }; BasicInplaceReplace.prototype.valueSetsReplace = function (valueSets, value, up) { var result = null; for (var i = 0, len = valueSets.length; result === null && i < len; i++) { result = this.valueSetReplace(valueSets[i], value, up); } return result; }; BasicInplaceReplace.prototype.valueSetReplace = function (valueSet, value, up) { var idx = valueSet.indexOf(value); if (idx >= 0) { idx += up ? +1 : -1; if (idx < 0) { idx = valueSet.length - 1; } else { idx %= valueSet.length; } return valueSet[idx]; } return null; }; BasicInplaceReplace.INSTANCE = new BasicInplaceReplace(); return BasicInplaceReplace; }()); /***/ }), /***/ 1910: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Colorizer; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_core_lineTokens_js__ = __webpack_require__(1445); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__ = __webpack_require__(1446); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__ = __webpack_require__(1328); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_monarch_monarchLexer_js__ = __webpack_require__(1689); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Colorizer = /** @class */ (function () { function Colorizer() { } Colorizer.colorizeElement = function (themeService, modeService, domNode, options) { options = options || {}; var theme = options.theme || 'vs'; var mimeType = options.mimeType || domNode.getAttribute('lang') || domNode.getAttribute('data-lang'); if (!mimeType) { console.error('Mode not detected'); return Promise.resolve(); } themeService.setTheme(theme); var text = domNode.firstChild ? domNode.firstChild.nodeValue : ''; domNode.className += ' ' + theme; var render = function (str) { domNode.innerHTML = str; }; return this.colorize(modeService, text || '', mimeType, options).then(render, function (err) { return console.error(err); }); }; Colorizer.colorize = function (modeService, text, mimeType, options) { var tabSize = 4; if (options && typeof options.tabSize === 'number') { tabSize = options.tabSize; } if (__WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["D" /* startsWithUTF8BOM */](text)) { text = text.substr(1); } var lines = text.split(/\r\n|\r|\n/); var language = modeService.getModeId(mimeType); if (!language) { return Promise.resolve(_fakeColorize(lines, tabSize)); } // Send out the event to create the mode modeService.triggerMode(language); var tokenizationSupport = __WEBPACK_IMPORTED_MODULE_3__common_modes_js__["v" /* TokenizationRegistry */].get(language); if (tokenizationSupport) { return _colorize(lines, tabSize, tokenizationSupport); } var tokenizationSupportPromise = __WEBPACK_IMPORTED_MODULE_3__common_modes_js__["v" /* TokenizationRegistry */].getPromise(language); if (tokenizationSupportPromise) { // A tokenizer will be registered soon return new Promise(function (resolve, reject) { tokenizationSupportPromise.then(function (tokenizationSupport) { _colorize(lines, tabSize, tokenizationSupport).then(resolve, reject); }, reject); }); } return new Promise(function (resolve, reject) { var listener = null; var timeout = null; var execute = function () { if (listener) { listener.dispose(); listener = null; } if (timeout) { timeout.dispose(); timeout = null; } var tokenizationSupport = __WEBPACK_IMPORTED_MODULE_3__common_modes_js__["v" /* TokenizationRegistry */].get(language); if (tokenizationSupport) { _colorize(lines, tabSize, tokenizationSupport).then(resolve, reject); return; } resolve(_fakeColorize(lines, tabSize)); }; // wait 500ms for mode to load, then give up timeout = new __WEBPACK_IMPORTED_MODULE_0__base_common_async_js__["d" /* TimeoutTimer */](); timeout.cancelAndSet(execute, 500); listener = __WEBPACK_IMPORTED_MODULE_3__common_modes_js__["v" /* TokenizationRegistry */].onDidChange(function (e) { if (e.changedLanguages.indexOf(language) >= 0) { execute(); } }); }); }; Colorizer.colorizeLine = function (line, mightContainNonBasicASCII, mightContainRTL, tokens, tabSize) { if (tabSize === void 0) { tabSize = 4; } var isBasicASCII = __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].isBasicASCII(line, mightContainNonBasicASCII); var containsRTL = __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].containsRTL(line, isBasicASCII, mightContainRTL); var renderResult = Object(__WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__["d" /* renderViewLine2 */])(new __WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__["b" /* RenderLineInput */](false, true, line, false, isBasicASCII, containsRTL, 0, tokens, [], tabSize, 0, -1, 'none', false, false)); return renderResult.html; }; Colorizer.colorizeModelLine = function (model, lineNumber, tabSize) { if (tabSize === void 0) { tabSize = 4; } var content = model.getLineContent(lineNumber); model.forceTokenization(lineNumber); var tokens = model.getLineTokens(lineNumber); var inflatedTokens = tokens.inflate(); return this.colorizeLine(content, model.mightContainNonBasicASCII(), model.mightContainRTL(), inflatedTokens, tabSize); }; return Colorizer; }()); function _colorize(lines, tabSize, tokenizationSupport) { return new Promise(function (c, e) { var execute = function () { var result = _actualColorize(lines, tabSize, tokenizationSupport); if (tokenizationSupport instanceof __WEBPACK_IMPORTED_MODULE_6__common_monarch_monarchLexer_js__["a" /* MonarchTokenizer */]) { var status_1 = tokenizationSupport.getLoadStatus(); if (status_1.loaded === false) { status_1.promise.then(execute, e); return; } } c(result); }; execute(); }); } function _fakeColorize(lines, tabSize) { var html = []; var defaultMetadata = ((0 /* None */ << 11 /* FONT_STYLE_OFFSET */) | (1 /* DefaultForeground */ << 14 /* FOREGROUND_OFFSET */) | (2 /* DefaultBackground */ << 23 /* BACKGROUND_OFFSET */)) >>> 0; var tokens = new Uint32Array(2); tokens[0] = 0; tokens[1] = defaultMetadata; for (var i = 0, length_1 = lines.length; i < length_1; i++) { var line = lines[i]; tokens[0] = line.length; var lineTokens = new __WEBPACK_IMPORTED_MODULE_2__common_core_lineTokens_js__["a" /* LineTokens */](tokens, line); var isBasicASCII = __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].isBasicASCII(line, /* check for basic ASCII */ true); var containsRTL = __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].containsRTL(line, isBasicASCII, /* check for RTL */ true); var renderResult = Object(__WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__["d" /* renderViewLine2 */])(new __WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__["b" /* RenderLineInput */](false, true, line, false, isBasicASCII, containsRTL, 0, lineTokens, [], tabSize, 0, -1, 'none', false, false)); html = html.concat(renderResult.html); html.push('<br/>'); } return html.join(''); } function _actualColorize(lines, tabSize, tokenizationSupport) { var html = []; var state = tokenizationSupport.getInitialState(); for (var i = 0, length_2 = lines.length; i < length_2; i++) { var line = lines[i]; var tokenizeResult = tokenizationSupport.tokenize2(line, state, 0); __WEBPACK_IMPORTED_MODULE_2__common_core_lineTokens_js__["a" /* LineTokens */].convertToEndOffset(tokenizeResult.tokens, line.length); var lineTokens = new __WEBPACK_IMPORTED_MODULE_2__common_core_lineTokens_js__["a" /* LineTokens */](tokenizeResult.tokens, line); var isBasicASCII = __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].isBasicASCII(line, /* check for basic ASCII */ true); var containsRTL = __WEBPACK_IMPORTED_MODULE_5__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].containsRTL(line, isBasicASCII, /* check for RTL */ true); var renderResult = Object(__WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__["d" /* renderViewLine2 */])(new __WEBPACK_IMPORTED_MODULE_4__common_viewLayout_viewLineRenderer_js__["b" /* RenderLineInput */](false, true, line, false, isBasicASCII, containsRTL, 0, lineTokens.inflate(), [], tabSize, 0, -1, 'none', false, false)); html = html.concat(renderResult.html); html.push('<br/>'); state = tokenizeResult.endState; } return html.join(''); } /***/ }), /***/ 1911: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = isCodeEditor; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_editorCommon_js__ = __webpack_require__(1324); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** *@internal */ function isCodeEditor(thing) { if (thing && typeof thing.getEditorType === 'function') { return thing.getEditorType() === __WEBPACK_IMPORTED_MODULE_0__common_editorCommon_js__["a" /* EditorType */].ICodeEditor; } else { return false; } } /***/ }), /***/ 1912: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditOperation; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var EditOperation = /** @class */ (function () { function EditOperation() { } EditOperation.insert = function (position, text) { return { range: new __WEBPACK_IMPORTED_MODULE_0__range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column), text: text, forceMoveMarkers: true }; }; EditOperation.delete = function (range) { return { range: range, text: null }; }; EditOperation.replace = function (range, text) { return { range: range, text: text }; }; EditOperation.replaceMove = function (range, text) { return { range: range, text: text, forceMoveMarkers: true }; }; return EditOperation; }()); /***/ }), /***/ 1913: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ConfigurationModel; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return DefaultConfigurationModel; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Configuration; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__configurationRegistry_js__ = __webpack_require__(1395); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__configuration_js__ = __webpack_require__(1290); var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ConfigurationModel = /** @class */ (function () { function ConfigurationModel(_contents, _keys, _overrides) { if (_contents === void 0) { _contents = {}; } if (_keys === void 0) { _keys = []; } if (_overrides === void 0) { _overrides = []; } this._contents = _contents; this._keys = _keys; this._overrides = _overrides; this.isFrozen = false; } Object.defineProperty(ConfigurationModel.prototype, "contents", { get: function () { return this.checkAndFreeze(this._contents); }, enumerable: true, configurable: true }); Object.defineProperty(ConfigurationModel.prototype, "overrides", { get: function () { return this.checkAndFreeze(this._overrides); }, enumerable: true, configurable: true }); Object.defineProperty(ConfigurationModel.prototype, "keys", { get: function () { return this.checkAndFreeze(this._keys); }, enumerable: true, configurable: true }); ConfigurationModel.prototype.getValue = function (section) { return section ? Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["d" /* getConfigurationValue */])(this.contents, section) : this.contents; }; ConfigurationModel.prototype.override = function (identifier) { var overrideContents = this.getContentsForOverrideIdentifer(identifier); if (!overrideContents || typeof overrideContents !== 'object' || !Object.keys(overrideContents).length) { // If there are no valid overrides, return self return this; } var contents = {}; for (var _i = 0, _a = __WEBPACK_IMPORTED_MODULE_1__base_common_arrays_js__["c" /* distinct */](Object.keys(this.contents).concat(Object.keys(overrideContents))); _i < _a.length; _i++) { var key = _a[_i]; var contentsForKey = this.contents[key]; var overrideContentsForKey = overrideContents[key]; // If there are override contents for the key, clone and merge otherwise use base contents if (overrideContentsForKey) { // Clone and merge only if base contents and override contents are of type object otherwise just override if (typeof contentsForKey === 'object' && typeof overrideContentsForKey === 'object') { contentsForKey = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["b" /* deepClone */](contentsForKey); this.mergeContents(contentsForKey, overrideContentsForKey); } else { contentsForKey = overrideContentsForKey; } } contents[key] = contentsForKey; } return new ConfigurationModel(contents); }; ConfigurationModel.prototype.merge = function () { var others = []; for (var _i = 0; _i < arguments.length; _i++) { others[_i] = arguments[_i]; } var contents = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["b" /* deepClone */](this.contents); var overrides = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["b" /* deepClone */](this.overrides); var keys = this.keys.slice(); for (var _a = 0, others_1 = others; _a < others_1.length; _a++) { var other = others_1[_a]; this.mergeContents(contents, other.contents); var _loop_1 = function (otherOverride) { var override = overrides.filter(function (o) { return __WEBPACK_IMPORTED_MODULE_1__base_common_arrays_js__["d" /* equals */](o.identifiers, otherOverride.identifiers); })[0]; if (override) { this_1.mergeContents(override.contents, otherOverride.contents); } else { overrides.push(__WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["b" /* deepClone */](otherOverride)); } }; var this_1 = this; for (var _b = 0, _c = other.overrides; _b < _c.length; _b++) { var otherOverride = _c[_b]; _loop_1(otherOverride); } for (var _d = 0, _e = other.keys; _d < _e.length; _d++) { var key = _e[_d]; if (keys.indexOf(key) === -1) { keys.push(key); } } } return new ConfigurationModel(contents, keys, overrides); }; ConfigurationModel.prototype.freeze = function () { this.isFrozen = true; return this; }; ConfigurationModel.prototype.mergeContents = function (source, target) { for (var _i = 0, _a = Object.keys(target); _i < _a.length; _i++) { var key = _a[_i]; if (key in source) { if (__WEBPACK_IMPORTED_MODULE_2__base_common_types_js__["h" /* isObject */](source[key]) && __WEBPACK_IMPORTED_MODULE_2__base_common_types_js__["h" /* isObject */](target[key])) { this.mergeContents(source[key], target[key]); continue; } } source[key] = __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["b" /* deepClone */](target[key]); } }; ConfigurationModel.prototype.checkAndFreeze = function (data) { if (this.isFrozen && !Object.isFrozen(data)) { return __WEBPACK_IMPORTED_MODULE_3__base_common_objects_js__["c" /* deepFreeze */](data); } return data; }; ConfigurationModel.prototype.getContentsForOverrideIdentifer = function (identifier) { for (var _i = 0, _a = this.overrides; _i < _a.length; _i++) { var override = _a[_i]; if (override.identifiers.indexOf(identifier) !== -1) { return override.contents; } } return null; }; ConfigurationModel.prototype.toJSON = function () { return { contents: this.contents, overrides: this.overrides, keys: this.keys }; }; // Update methods ConfigurationModel.prototype.setValue = function (key, value) { this.addKey(key); Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["b" /* addToValueTree */])(this.contents, key, value, function (e) { throw new Error(e); }); }; ConfigurationModel.prototype.removeValue = function (key) { if (this.removeKey(key)) { Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["h" /* removeFromValueTree */])(this.contents, key); } }; ConfigurationModel.prototype.addKey = function (key) { var index = this.keys.length; for (var i = 0; i < index; i++) { if (key.indexOf(this.keys[i]) === 0) { index = i; } } this.keys.splice(index, 1, key); }; ConfigurationModel.prototype.removeKey = function (key) { var index = this.keys.indexOf(key); if (index !== -1) { this.keys.splice(index, 1); return true; } return false; }; return ConfigurationModel; }()); var DefaultConfigurationModel = /** @class */ (function (_super) { __extends(DefaultConfigurationModel, _super); function DefaultConfigurationModel() { var _this = this; var contents = Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["e" /* getDefaultValues */])(); var keys = Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["c" /* getConfigurationKeys */])(); var overrides = []; for (var _i = 0, _a = Object.keys(contents); _i < _a.length; _i++) { var key = _a[_i]; if (__WEBPACK_IMPORTED_MODULE_4__configurationRegistry_js__["b" /* OVERRIDE_PROPERTY_PATTERN */].test(key)) { overrides.push({ identifiers: [Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["g" /* overrideIdentifierFromKey */])(key).trim()], contents: Object(__WEBPACK_IMPORTED_MODULE_5__configuration_js__["i" /* toValuesTree */])(contents[key], function (message) { return console.error("Conflict in default settings file: " + message); }) }); } } _this = _super.call(this, contents, keys, overrides) || this; return _this; } return DefaultConfigurationModel; }(ConfigurationModel)); var Configuration = /** @class */ (function () { function Configuration(_defaultConfiguration, _userConfiguration, _workspaceConfiguration, _folderConfigurations, _memoryConfiguration, _memoryConfigurationByResource, _freeze) { if (_workspaceConfiguration === void 0) { _workspaceConfiguration = new ConfigurationModel(); } if (_folderConfigurations === void 0) { _folderConfigurations = new __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__["b" /* ResourceMap */](); } if (_memoryConfiguration === void 0) { _memoryConfiguration = new ConfigurationModel(); } if (_memoryConfigurationByResource === void 0) { _memoryConfigurationByResource = new __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__["b" /* ResourceMap */](); } if (_freeze === void 0) { _freeze = true; } this._defaultConfiguration = _defaultConfiguration; this._userConfiguration = _userConfiguration; this._workspaceConfiguration = _workspaceConfiguration; this._folderConfigurations = _folderConfigurations; this._memoryConfiguration = _memoryConfiguration; this._memoryConfigurationByResource = _memoryConfigurationByResource; this._freeze = _freeze; this._workspaceConsolidatedConfiguration = null; this._foldersConsolidatedConfigurations = new __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__["b" /* ResourceMap */](); } Configuration.prototype.getValue = function (section, overrides, workspace) { var consolidateConfigurationModel = this.getConsolidateConfigurationModel(overrides, workspace); return consolidateConfigurationModel.getValue(section); }; Configuration.prototype.updateValue = function (key, value, overrides) { if (overrides === void 0) { overrides = {}; } var memoryConfiguration; if (overrides.resource) { memoryConfiguration = this._memoryConfigurationByResource.get(overrides.resource); if (!memoryConfiguration) { memoryConfiguration = new ConfigurationModel(); this._memoryConfigurationByResource.set(overrides.resource, memoryConfiguration); } } else { memoryConfiguration = this._memoryConfiguration; } if (value === undefined) { memoryConfiguration.removeValue(key); } else { memoryConfiguration.setValue(key, value); } if (!overrides.resource) { this._workspaceConsolidatedConfiguration = null; } }; Configuration.prototype.inspect = function (key, overrides, workspace) { var consolidateConfigurationModel = this.getConsolidateConfigurationModel(overrides, workspace); var folderConfigurationModel = this.getFolderConfigurationModelForResource(overrides.resource, workspace); var memoryConfigurationModel = overrides.resource ? this._memoryConfigurationByResource.get(overrides.resource) || this._memoryConfiguration : this._memoryConfiguration; return { default: overrides.overrideIdentifier ? this._defaultConfiguration.freeze().override(overrides.overrideIdentifier).getValue(key) : this._defaultConfiguration.freeze().getValue(key), user: overrides.overrideIdentifier ? this._userConfiguration.freeze().override(overrides.overrideIdentifier).getValue(key) : this._userConfiguration.freeze().getValue(key), workspace: workspace ? overrides.overrideIdentifier ? this._workspaceConfiguration.freeze().override(overrides.overrideIdentifier).getValue(key) : this._workspaceConfiguration.freeze().getValue(key) : undefined, workspaceFolder: folderConfigurationModel ? overrides.overrideIdentifier ? folderConfigurationModel.freeze().override(overrides.overrideIdentifier).getValue(key) : folderConfigurationModel.freeze().getValue(key) : undefined, memory: overrides.overrideIdentifier ? memoryConfigurationModel.override(overrides.overrideIdentifier).getValue(key) : memoryConfigurationModel.getValue(key), value: consolidateConfigurationModel.getValue(key) }; }; Configuration.prototype.getConsolidateConfigurationModel = function (overrides, workspace) { var configurationModel = this.getConsolidatedConfigurationModelForResource(overrides, workspace); return overrides.overrideIdentifier ? configurationModel.override(overrides.overrideIdentifier) : configurationModel; }; Configuration.prototype.getConsolidatedConfigurationModelForResource = function (_a, workspace) { var resource = _a.resource; var consolidateConfiguration = this.getWorkspaceConsolidatedConfiguration(); if (workspace && resource) { var root = workspace.getFolder(resource); if (root) { consolidateConfiguration = this.getFolderConsolidatedConfiguration(root.uri) || consolidateConfiguration; } var memoryConfigurationForResource = this._memoryConfigurationByResource.get(resource); if (memoryConfigurationForResource) { consolidateConfiguration = consolidateConfiguration.merge(memoryConfigurationForResource); } } return consolidateConfiguration; }; Configuration.prototype.getWorkspaceConsolidatedConfiguration = function () { if (!this._workspaceConsolidatedConfiguration) { this._workspaceConsolidatedConfiguration = this._defaultConfiguration.merge(this._userConfiguration, this._workspaceConfiguration, this._memoryConfiguration); if (this._freeze) { this._workspaceConfiguration = this._workspaceConfiguration.freeze(); } } return this._workspaceConsolidatedConfiguration; }; Configuration.prototype.getFolderConsolidatedConfiguration = function (folder) { var folderConsolidatedConfiguration = this._foldersConsolidatedConfigurations.get(folder); if (!folderConsolidatedConfiguration) { var workspaceConsolidateConfiguration = this.getWorkspaceConsolidatedConfiguration(); var folderConfiguration = this._folderConfigurations.get(folder); if (folderConfiguration) { folderConsolidatedConfiguration = workspaceConsolidateConfiguration.merge(folderConfiguration); if (this._freeze) { folderConsolidatedConfiguration = folderConsolidatedConfiguration.freeze(); } this._foldersConsolidatedConfigurations.set(folder, folderConsolidatedConfiguration); } else { folderConsolidatedConfiguration = workspaceConsolidateConfiguration; } } return folderConsolidatedConfiguration; }; Configuration.prototype.getFolderConfigurationModelForResource = function (resource, workspace) { if (workspace && resource) { var root = workspace.getFolder(resource); if (root) { return this._folderConfigurations.get(root.uri) || null; } } return null; }; return Configuration; }()); /***/ }), /***/ 1914: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AbstractKeybindingService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var AbstractKeybindingService = /** @class */ (function (_super) { __extends(AbstractKeybindingService, _super); function AbstractKeybindingService(contextKeyService, commandService, telemetryService, notificationService, statusService) { var _this = _super.call(this) || this; _this._contextKeyService = contextKeyService; _this._commandService = commandService; _this._telemetryService = telemetryService; _this._statusService = statusService; _this._notificationService = notificationService; _this._currentChord = null; _this._currentChordChecker = new __WEBPACK_IMPORTED_MODULE_1__base_common_async_js__["b" /* IntervalTimer */](); _this._currentChordStatusMessage = null; _this._onDidUpdateKeybindings = _this._register(new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */]()); return _this; } AbstractKeybindingService.prototype.dispose = function () { _super.prototype.dispose.call(this); }; Object.defineProperty(AbstractKeybindingService.prototype, "onDidUpdateKeybindings", { get: function () { return this._onDidUpdateKeybindings ? this._onDidUpdateKeybindings.event : __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["b" /* Event */].None; // Sinon stubbing walks properties on prototype }, enumerable: true, configurable: true }); AbstractKeybindingService.prototype.lookupKeybinding = function (commandId) { var result = this._getResolver().lookupPrimaryKeybinding(commandId); if (!result) { return undefined; } return result.resolvedKeybinding || undefined; }; AbstractKeybindingService.prototype.softDispatch = function (e, target) { var keybinding = this.resolveKeyboardEvent(e); if (keybinding.isChord()) { console.warn('Unexpected keyboard event mapped to a chord'); return null; } var firstPart = keybinding.getDispatchParts()[0]; if (firstPart === null) { // cannot be dispatched, probably only modifier keys return null; } var contextValue = this._contextKeyService.getContext(target); var currentChord = this._currentChord ? this._currentChord.keypress : null; return this._getResolver().resolve(contextValue, currentChord, firstPart); }; AbstractKeybindingService.prototype._enterChordMode = function (firstPart, keypressLabel) { var _this = this; this._currentChord = { keypress: firstPart, label: keypressLabel }; if (this._statusService) { this._currentChordStatusMessage = this._statusService.setStatusMessage(__WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('first.chord', "({0}) was pressed. Waiting for second key of chord...", keypressLabel)); } var chordEnterTime = Date.now(); this._currentChordChecker.cancelAndSet(function () { if (!_this._documentHasFocus()) { // Focus has been lost => leave chord mode _this._leaveChordMode(); return; } if (Date.now() - chordEnterTime > 5000) { // 5 seconds elapsed => leave chord mode _this._leaveChordMode(); } }, 500); }; AbstractKeybindingService.prototype._leaveChordMode = function () { if (this._currentChordStatusMessage) { this._currentChordStatusMessage.dispose(); this._currentChordStatusMessage = null; } this._currentChordChecker.cancel(); this._currentChord = null; }; AbstractKeybindingService.prototype._dispatch = function (e, target) { return this._doDispatch(this.resolveKeyboardEvent(e), target); }; AbstractKeybindingService.prototype._doDispatch = function (keybinding, target) { var _this = this; var shouldPreventDefault = false; if (keybinding.isChord()) { console.warn('Unexpected keyboard event mapped to a chord'); return false; } var firstPart = keybinding.getDispatchParts()[0]; if (firstPart === null) { // cannot be dispatched, probably only modifier keys return shouldPreventDefault; } var contextValue = this._contextKeyService.getContext(target); var currentChord = this._currentChord ? this._currentChord.keypress : null; var keypressLabel = keybinding.getLabel(); var resolveResult = this._getResolver().resolve(contextValue, currentChord, firstPart); if (resolveResult && resolveResult.enterChord) { shouldPreventDefault = true; this._enterChordMode(firstPart, keypressLabel); return shouldPreventDefault; } if (this._statusService && this._currentChord) { if (!resolveResult || !resolveResult.commandId) { this._statusService.setStatusMessage(__WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('missing.chord', "The key combination ({0}, {1}) is not a command.", this._currentChord.label, keypressLabel), 10 * 1000 /* 10s */); shouldPreventDefault = true; } } this._leaveChordMode(); if (resolveResult && resolveResult.commandId) { if (!resolveResult.bubble) { shouldPreventDefault = true; } if (typeof resolveResult.commandArgs === 'undefined') { this._commandService.executeCommand(resolveResult.commandId).then(undefined, function (err) { return _this._notificationService.warn(err); }); } else { this._commandService.executeCommand(resolveResult.commandId, resolveResult.commandArgs).then(undefined, function (err) { return _this._notificationService.warn(err); }); } /* __GDPR__ "workbenchActionExecuted" : { "id" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" }, "from": { "classification": "SystemMetaData", "purpose": "FeatureInsight" } } */ this._telemetryService.publicLog('workbenchActionExecuted', { id: resolveResult.commandId, from: 'keybinding' }); } return shouldPreventDefault; }; AbstractKeybindingService.prototype.mightProducePrintableCharacter = function (event) { if (event.ctrlKey || event.metaKey) { // ignore ctrl/cmd-combination but not shift/alt-combinatios return false; } // weak check for certain ranges. this is properly implemented in a subclass // with access to the KeyboardMapperFactory. if ((event.keyCode >= 31 /* KEY_A */ && event.keyCode <= 56 /* KEY_Z */) || (event.keyCode >= 21 /* KEY_0 */ && event.keyCode <= 30 /* KEY_9 */)) { return true; } return false; }; return AbstractKeybindingService; }(__WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1915: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ResolvedKeybindingItem; }); /* unused harmony export removeElementsAfterNulls */ /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ResolvedKeybindingItem = /** @class */ (function () { function ResolvedKeybindingItem(resolvedKeybinding, command, commandArgs, when, isDefault) { this.resolvedKeybinding = resolvedKeybinding; this.keypressParts = resolvedKeybinding ? removeElementsAfterNulls(resolvedKeybinding.getDispatchParts()) : []; this.bubble = (command ? command.charCodeAt(0) === 94 /* Caret */ : false); this.command = this.bubble ? command.substr(1) : command; this.commandArgs = commandArgs; this.when = when; this.isDefault = isDefault; } return ResolvedKeybindingItem; }()); function removeElementsAfterNulls(arr) { var result = []; for (var i = 0, len = arr.length; i < len; i++) { var element = arr[i]; if (!element) { // stop processing at first encountered null return result; } result.push(element); } return result; } /***/ }), /***/ 1916: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return USLayoutResolvedKeybinding; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__ = __webpack_require__(1356); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__baseResolvedKeybinding_js__ = __webpack_require__(1917); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * Do not instantiate. Use KeybindingService to get a ResolvedKeybinding seeded with information about the current kb layout. */ var USLayoutResolvedKeybinding = /** @class */ (function (_super) { __extends(USLayoutResolvedKeybinding, _super); function USLayoutResolvedKeybinding(actual, os) { return _super.call(this, os, actual.parts) || this; } USLayoutResolvedKeybinding.prototype._keyCodeToUILabel = function (keyCode) { if (this._os === 2 /* Macintosh */) { switch (keyCode) { case 15 /* LeftArrow */: return '←'; case 16 /* UpArrow */: return '↑'; case 17 /* RightArrow */: return '→'; case 18 /* DownArrow */: return '↓'; } } return __WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__["b" /* KeyCodeUtils */].toString(keyCode); }; USLayoutResolvedKeybinding.prototype._getLabel = function (keybinding) { if (keybinding.isDuplicateModifierCase()) { return ''; } return this._keyCodeToUILabel(keybinding.keyCode); }; USLayoutResolvedKeybinding.prototype._getAriaLabel = function (keybinding) { if (keybinding.isDuplicateModifierCase()) { return ''; } return __WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__["b" /* KeyCodeUtils */].toString(keybinding.keyCode); }; USLayoutResolvedKeybinding.prototype._getDispatchPart = function (keybinding) { return USLayoutResolvedKeybinding.getDispatchStr(keybinding); }; USLayoutResolvedKeybinding.getDispatchStr = function (keybinding) { if (keybinding.isModifierKey()) { return null; } var result = ''; if (keybinding.ctrlKey) { result += 'ctrl+'; } if (keybinding.shiftKey) { result += 'shift+'; } if (keybinding.altKey) { result += 'alt+'; } if (keybinding.metaKey) { result += 'meta+'; } result += __WEBPACK_IMPORTED_MODULE_0__base_common_keyCodes_js__["b" /* KeyCodeUtils */].toString(keybinding.keyCode); return result; }; return USLayoutResolvedKeybinding; }(__WEBPACK_IMPORTED_MODULE_1__baseResolvedKeybinding_js__["a" /* BaseResolvedKeybinding */])); /***/ }), /***/ 1917: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return BaseResolvedKeybinding; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_keybindingLabels_js__ = __webpack_require__(1918); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_keyCodes_js__ = __webpack_require__(1356); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var BaseResolvedKeybinding = /** @class */ (function (_super) { __extends(BaseResolvedKeybinding, _super); function BaseResolvedKeybinding(os, parts) { var _this = _super.call(this) || this; if (parts.length === 0) { throw Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["b" /* illegalArgument */])("parts"); } _this._os = os; _this._parts = parts; return _this; } BaseResolvedKeybinding.prototype.getLabel = function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_1__base_common_keybindingLabels_js__["b" /* UILabelProvider */].toLabel(this._os, this._parts, function (keybinding) { return _this._getLabel(keybinding); }); }; BaseResolvedKeybinding.prototype.getAriaLabel = function () { var _this = this; return __WEBPACK_IMPORTED_MODULE_1__base_common_keybindingLabels_js__["a" /* AriaLabelProvider */].toLabel(this._os, this._parts, function (keybinding) { return _this._getAriaLabel(keybinding); }); }; BaseResolvedKeybinding.prototype.isChord = function () { return (this._parts.length > 1); }; BaseResolvedKeybinding.prototype.getParts = function () { var _this = this; return this._parts.map(function (keybinding) { return _this._getPart(keybinding); }); }; BaseResolvedKeybinding.prototype._getPart = function (keybinding) { return new __WEBPACK_IMPORTED_MODULE_2__base_common_keyCodes_js__["d" /* ResolvedKeybindingPart */](keybinding.ctrlKey, keybinding.shiftKey, keybinding.altKey, keybinding.metaKey, this._getLabel(keybinding), this._getAriaLabel(keybinding)); }; BaseResolvedKeybinding.prototype.getDispatchParts = function () { var _this = this; return this._parts.map(function (keybinding) { return _this._getDispatchPart(keybinding); }); }; return BaseResolvedKeybinding; }(__WEBPACK_IMPORTED_MODULE_2__base_common_keyCodes_js__["c" /* ResolvedKeybinding */])); /***/ }), /***/ 1918: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ModifierLabelProvider */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return UILabelProvider; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AriaLabelProvider; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ModifierLabelProvider = /** @class */ (function () { function ModifierLabelProvider(mac, windows, linux) { if (linux === void 0) { linux = windows; } this.modifierLabels = [null]; // index 0 will never me accessed. this.modifierLabels[2 /* Macintosh */] = mac; this.modifierLabels[1 /* Windows */] = windows; this.modifierLabels[3 /* Linux */] = linux; } ModifierLabelProvider.prototype.toLabel = function (OS, parts, keyLabelProvider) { if (parts.length === 0) { return null; } var result = []; for (var i = 0, len = parts.length; i < len; i++) { var part = parts[i]; var keyLabel = keyLabelProvider(part); if (keyLabel === null) { // this keybinding cannot be expressed... return null; } result[i] = _simpleAsString(part, keyLabel, this.modifierLabels[OS]); } return result.join(' '); }; return ModifierLabelProvider; }()); /** * A label provider that prints modifiers in a suitable format for displaying in the UI. */ var UILabelProvider = new ModifierLabelProvider({ ctrlKey: '⌃', shiftKey: '⇧', altKey: '⌥', metaKey: '⌘', separator: '', }, { ctrlKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'ctrlKey', comment: ['This is the short form for the Control key on the keyboard'] }, "Ctrl"), shiftKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'shiftKey', comment: ['This is the short form for the Shift key on the keyboard'] }, "Shift"), altKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'altKey', comment: ['This is the short form for the Alt key on the keyboard'] }, "Alt"), metaKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'windowsKey', comment: ['This is the short form for the Windows key on the keyboard'] }, "Windows"), separator: '+', }, { ctrlKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'ctrlKey', comment: ['This is the short form for the Control key on the keyboard'] }, "Ctrl"), shiftKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'shiftKey', comment: ['This is the short form for the Shift key on the keyboard'] }, "Shift"), altKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'altKey', comment: ['This is the short form for the Alt key on the keyboard'] }, "Alt"), metaKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'superKey', comment: ['This is the short form for the Super key on the keyboard'] }, "Super"), separator: '+', }); /** * A label provider that prints modifiers in a suitable format for ARIA. */ var AriaLabelProvider = new ModifierLabelProvider({ ctrlKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'ctrlKey.long', comment: ['This is the long form for the Control key on the keyboard'] }, "Control"), shiftKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'shiftKey.long', comment: ['This is the long form for the Shift key on the keyboard'] }, "Shift"), altKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'altKey.long', comment: ['This is the long form for the Alt key on the keyboard'] }, "Alt"), metaKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'cmdKey.long', comment: ['This is the long form for the Command key on the keyboard'] }, "Command"), separator: '+', }, { ctrlKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'ctrlKey.long', comment: ['This is the long form for the Control key on the keyboard'] }, "Control"), shiftKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'shiftKey.long', comment: ['This is the long form for the Shift key on the keyboard'] }, "Shift"), altKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'altKey.long', comment: ['This is the long form for the Alt key on the keyboard'] }, "Alt"), metaKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'windowsKey.long', comment: ['This is the long form for the Windows key on the keyboard'] }, "Windows"), separator: '+', }, { ctrlKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'ctrlKey.long', comment: ['This is the long form for the Control key on the keyboard'] }, "Control"), shiftKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'shiftKey.long', comment: ['This is the long form for the Shift key on the keyboard'] }, "Shift"), altKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'altKey.long', comment: ['This is the long form for the Alt key on the keyboard'] }, "Alt"), metaKey: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'superKey.long', comment: ['This is the long form for the Super key on the keyboard'] }, "Super"), separator: '+', }); function _simpleAsString(modifiers, key, labels) { if (key === null) { return ''; } var result = []; // translate modifier keys: Ctrl-Shift-Alt-Meta if (modifiers.ctrlKey) { result.push(labels.ctrlKey); } if (modifiers.shiftKey) { result.push(labels.shiftKey); } if (modifiers.altKey) { result.push(labels.altKey); } if (modifiers.metaKey) { result.push(labels.metaKey); } // the actual key result.push(key); return result.join(labels.separator); } /***/ }), /***/ 1919: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export StandaloneCodeEditor */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return StandaloneEditor; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StandaloneDiffEditor; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_ui_aria_aria_js__ = __webpack_require__(1920); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__browser_services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__browser_widget_codeEditorWidget_js__ = __webpack_require__(1696); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__browser_widget_diffEditorWidget_js__ = __webpack_require__(2024); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_editorAction_js__ = __webpack_require__(1713); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_services_editorWorkerService_js__ = __webpack_require__(1443); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__simpleServices_js__ = __webpack_require__(1571); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_standaloneThemeService_js__ = __webpack_require__(1581); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__platform_actions_common_actions_js__ = __webpack_require__(1447); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__platform_commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__platform_configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__platform_contextview_browser_contextView_js__ = __webpack_require__(1455); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__platform_keybinding_common_keybinding_js__ = __webpack_require__(1400); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__platform_notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__platform_theme_common_themeService_js__ = __webpack_require__(937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__platform_accessibility_common_accessibility_js__ = __webpack_require__(1454); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var LAST_GENERATED_COMMAND_ID = 0; var ariaDomNodeCreated = false; function createAriaDomNode() { if (ariaDomNodeCreated) { return; } ariaDomNodeCreated = true; __WEBPACK_IMPORTED_MODULE_2__base_browser_ui_aria_aria_js__["a" /* setARIAContainer */](document.body); } /** * A code editor to be used both by the standalone editor and the standalone diff editor. */ var StandaloneCodeEditor = /** @class */ (function (_super) { __extends(StandaloneCodeEditor, _super); function StandaloneCodeEditor(domElement, options, instantiationService, codeEditorService, commandService, contextKeyService, keybindingService, themeService, notificationService, accessibilityService) { var _this = this; options = options || {}; options.ariaLabel = options.ariaLabel || __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('editorViewAccessibleLabel', "Editor content"); options.ariaLabel = options.ariaLabel + ';' + (__WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["j" /* isIE */] ? __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilityHelpMessageIE', "Press Ctrl+F1 for Accessibility Options.") : __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('accessibilityHelpMessage', "Press Alt+F1 for Accessibility Options.")); _this = _super.call(this, domElement, options, {}, instantiationService, codeEditorService, commandService, contextKeyService, themeService, notificationService, accessibilityService) || this; if (keybindingService instanceof __WEBPACK_IMPORTED_MODULE_9__simpleServices_js__["m" /* StandaloneKeybindingService */]) { _this._standaloneKeybindingService = keybindingService; } // Create the ARIA dom node as soon as the first editor is instantiated createAriaDomNode(); return _this; } StandaloneCodeEditor.prototype.addCommand = function (keybinding, handler, context) { if (!this._standaloneKeybindingService) { console.warn('Cannot add command because the editor is configured with an unrecognized KeybindingService'); return null; } var commandId = 'DYNAMIC_' + (++LAST_GENERATED_COMMAND_ID); var whenExpression = __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].deserialize(context); this._standaloneKeybindingService.addDynamicKeybinding(commandId, keybinding, handler, whenExpression); return commandId; }; StandaloneCodeEditor.prototype.createContextKey = function (key, defaultValue) { return this._contextKeyService.createKey(key, defaultValue); }; StandaloneCodeEditor.prototype.addAction = function (_descriptor) { var _this = this; if ((typeof _descriptor.id !== 'string') || (typeof _descriptor.label !== 'string') || (typeof _descriptor.run !== 'function')) { throw new Error('Invalid action descriptor, `id`, `label` and `run` are required properties!'); } if (!this._standaloneKeybindingService) { console.warn('Cannot add keybinding because the editor is configured with an unrecognized KeybindingService'); return __WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["a" /* Disposable */].None; } // Read descriptor options var id = _descriptor.id; var label = _descriptor.label; var precondition = __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].and(__WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].equals('editorId', this.getId()), __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].deserialize(_descriptor.precondition)); var keybindings = _descriptor.keybindings; var keybindingsWhen = __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].and(precondition, __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].deserialize(_descriptor.keybindingContext)); var contextMenuGroupId = _descriptor.contextMenuGroupId || null; var contextMenuOrder = _descriptor.contextMenuOrder || 0; var run = function () { return Promise.resolve(_descriptor.run(_this)); }; var toDispose = []; // Generate a unique id to allow the same descriptor.id across multiple editor instances var uniqueId = this.getId() + ':' + id; // Register the command toDispose.push(__WEBPACK_IMPORTED_MODULE_12__platform_commands_common_commands_js__["a" /* CommandsRegistry */].registerCommand(uniqueId, run)); // Register the context menu item if (contextMenuGroupId) { var menuItem = { command: { id: uniqueId, title: label }, when: precondition, group: contextMenuGroupId, order: contextMenuOrder }; toDispose.push(__WEBPACK_IMPORTED_MODULE_11__platform_actions_common_actions_js__["c" /* MenuRegistry */].appendMenuItem(7 /* EditorContext */, menuItem)); } // Register the keybindings if (Array.isArray(keybindings)) { toDispose = toDispose.concat(keybindings.map(function (kb) { return _this._standaloneKeybindingService.addDynamicKeybinding(uniqueId, kb, run, keybindingsWhen); })); } // Finally, register an internal editor action var internalAction = new __WEBPACK_IMPORTED_MODULE_7__common_editorAction_js__["a" /* InternalEditorAction */](uniqueId, label, label, precondition, run, this._contextKeyService); // Store it under the original id, such that trigger with the original id will work this._actions[id] = internalAction; toDispose.push(Object(__WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["e" /* toDisposable */])(function () { delete _this._actions[id]; })); return Object(__WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["c" /* combinedDisposable */])(toDispose); }; StandaloneCodeEditor = __decorate([ __param(2, __WEBPACK_IMPORTED_MODULE_16__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), __param(3, __WEBPACK_IMPORTED_MODULE_4__browser_services_codeEditorService_js__["a" /* ICodeEditorService */]), __param(4, __WEBPACK_IMPORTED_MODULE_12__platform_commands_common_commands_js__["b" /* ICommandService */]), __param(5, __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(6, __WEBPACK_IMPORTED_MODULE_17__platform_keybinding_common_keybinding_js__["a" /* IKeybindingService */]), __param(7, __WEBPACK_IMPORTED_MODULE_19__platform_theme_common_themeService_js__["c" /* IThemeService */]), __param(8, __WEBPACK_IMPORTED_MODULE_18__platform_notification_common_notification_js__["a" /* INotificationService */]), __param(9, __WEBPACK_IMPORTED_MODULE_20__platform_accessibility_common_accessibility_js__["a" /* IAccessibilityService */]) ], StandaloneCodeEditor); return StandaloneCodeEditor; }(__WEBPACK_IMPORTED_MODULE_5__browser_widget_codeEditorWidget_js__["a" /* CodeEditorWidget */])); var StandaloneEditor = /** @class */ (function (_super) { __extends(StandaloneEditor, _super); function StandaloneEditor(domElement, options, toDispose, instantiationService, codeEditorService, commandService, contextKeyService, keybindingService, contextViewService, themeService, notificationService, configurationService, accessibilityService) { var _this = this; Object(__WEBPACK_IMPORTED_MODULE_9__simpleServices_js__["o" /* applyConfigurationValues */])(configurationService, options, false); options = options || {}; if (typeof options.theme === 'string') { themeService.setTheme(options.theme); } var _model = options.model; delete options.model; _this = _super.call(this, domElement, options, instantiationService, codeEditorService, commandService, contextKeyService, keybindingService, themeService, notificationService, accessibilityService) || this; _this._contextViewService = contextViewService; _this._configurationService = configurationService; _this._register(toDispose); var model; if (typeof _model === 'undefined') { model = self.monaco.editor.createModel(options.value || '', options.language || 'text/plain'); _this._ownsModel = true; } else { model = _model; _this._ownsModel = false; } _this._attachModel(model); if (model) { var e = { oldModelUrl: null, newModelUrl: model.uri }; _this._onDidChangeModel.fire(e); } return _this; } StandaloneEditor.prototype.dispose = function () { _super.prototype.dispose.call(this); }; StandaloneEditor.prototype.updateOptions = function (newOptions) { Object(__WEBPACK_IMPORTED_MODULE_9__simpleServices_js__["o" /* applyConfigurationValues */])(this._configurationService, newOptions, false); _super.prototype.updateOptions.call(this, newOptions); }; StandaloneEditor.prototype._attachModel = function (model) { _super.prototype._attachModel.call(this, model); if (this._modelData) { this._contextViewService.setContainer(this._modelData.view.domNode.domNode); } }; StandaloneEditor.prototype._postDetachModelCleanup = function (detachedModel) { _super.prototype._postDetachModelCleanup.call(this, detachedModel); if (detachedModel && this._ownsModel) { detachedModel.dispose(); this._ownsModel = false; } }; StandaloneEditor = __decorate([ __param(3, __WEBPACK_IMPORTED_MODULE_16__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), __param(4, __WEBPACK_IMPORTED_MODULE_4__browser_services_codeEditorService_js__["a" /* ICodeEditorService */]), __param(5, __WEBPACK_IMPORTED_MODULE_12__platform_commands_common_commands_js__["b" /* ICommandService */]), __param(6, __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(7, __WEBPACK_IMPORTED_MODULE_17__platform_keybinding_common_keybinding_js__["a" /* IKeybindingService */]), __param(8, __WEBPACK_IMPORTED_MODULE_15__platform_contextview_browser_contextView_js__["b" /* IContextViewService */]), __param(9, __WEBPACK_IMPORTED_MODULE_10__common_standaloneThemeService_js__["a" /* IStandaloneThemeService */]), __param(10, __WEBPACK_IMPORTED_MODULE_18__platform_notification_common_notification_js__["a" /* INotificationService */]), __param(11, __WEBPACK_IMPORTED_MODULE_13__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]), __param(12, __WEBPACK_IMPORTED_MODULE_20__platform_accessibility_common_accessibility_js__["a" /* IAccessibilityService */]) ], StandaloneEditor); return StandaloneEditor; }(StandaloneCodeEditor)); var StandaloneDiffEditor = /** @class */ (function (_super) { __extends(StandaloneDiffEditor, _super); function StandaloneDiffEditor(domElement, options, toDispose, instantiationService, contextKeyService, keybindingService, contextViewService, editorWorkerService, codeEditorService, themeService, notificationService, configurationService) { var _this = this; Object(__WEBPACK_IMPORTED_MODULE_9__simpleServices_js__["o" /* applyConfigurationValues */])(configurationService, options, true); options = options || {}; if (typeof options.theme === 'string') { options.theme = themeService.setTheme(options.theme); } _this = _super.call(this, domElement, options, editorWorkerService, contextKeyService, instantiationService, codeEditorService, themeService, notificationService) || this; _this._contextViewService = contextViewService; _this._configurationService = configurationService; _this._register(toDispose); _this._contextViewService.setContainer(_this._containerDomElement); return _this; } StandaloneDiffEditor.prototype.dispose = function () { _super.prototype.dispose.call(this); }; StandaloneDiffEditor.prototype.updateOptions = function (newOptions) { Object(__WEBPACK_IMPORTED_MODULE_9__simpleServices_js__["o" /* applyConfigurationValues */])(this._configurationService, newOptions, true); _super.prototype.updateOptions.call(this, newOptions); }; StandaloneDiffEditor.prototype._createInnerEditor = function (instantiationService, container, options) { return instantiationService.createInstance(StandaloneCodeEditor, container, options); }; StandaloneDiffEditor.prototype.getOriginalEditor = function () { return _super.prototype.getOriginalEditor.call(this); }; StandaloneDiffEditor.prototype.getModifiedEditor = function () { return _super.prototype.getModifiedEditor.call(this); }; StandaloneDiffEditor.prototype.addCommand = function (keybinding, handler, context) { return this.getModifiedEditor().addCommand(keybinding, handler, context); }; StandaloneDiffEditor.prototype.createContextKey = function (key, defaultValue) { return this.getModifiedEditor().createContextKey(key, defaultValue); }; StandaloneDiffEditor.prototype.addAction = function (descriptor) { return this.getModifiedEditor().addAction(descriptor); }; StandaloneDiffEditor = __decorate([ __param(3, __WEBPACK_IMPORTED_MODULE_16__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), __param(4, __WEBPACK_IMPORTED_MODULE_14__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(5, __WEBPACK_IMPORTED_MODULE_17__platform_keybinding_common_keybinding_js__["a" /* IKeybindingService */]), __param(6, __WEBPACK_IMPORTED_MODULE_15__platform_contextview_browser_contextView_js__["b" /* IContextViewService */]), __param(7, __WEBPACK_IMPORTED_MODULE_8__common_services_editorWorkerService_js__["a" /* IEditorWorkerService */]), __param(8, __WEBPACK_IMPORTED_MODULE_4__browser_services_codeEditorService_js__["a" /* ICodeEditorService */]), __param(9, __WEBPACK_IMPORTED_MODULE_10__common_standaloneThemeService_js__["a" /* IStandaloneThemeService */]), __param(10, __WEBPACK_IMPORTED_MODULE_18__platform_notification_common_notification_js__["a" /* INotificationService */]), __param(11, __WEBPACK_IMPORTED_MODULE_13__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]) ], StandaloneDiffEditor); return StandaloneDiffEditor; }(__WEBPACK_IMPORTED_MODULE_6__browser_widget_diffEditorWidget_js__["a" /* DiffEditorWidget */])); /***/ }), /***/ 1920: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = setARIAContainer; /* unused harmony export alert */ /* unused harmony export status */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__aria_css__ = __webpack_require__(1921); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__aria_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__aria_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__dom_js__ = __webpack_require__(856); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ariaContainer; var alertContainer; var statusContainer; function setARIAContainer(parent) { ariaContainer = document.createElement('div'); ariaContainer.className = 'monaco-aria-container'; alertContainer = document.createElement('div'); alertContainer.className = 'monaco-alert'; alertContainer.setAttribute('role', 'alert'); alertContainer.setAttribute('aria-atomic', 'true'); ariaContainer.appendChild(alertContainer); statusContainer = document.createElement('div'); statusContainer.className = 'monaco-status'; statusContainer.setAttribute('role', 'status'); statusContainer.setAttribute('aria-atomic', 'true'); ariaContainer.appendChild(statusContainer); parent.appendChild(ariaContainer); } /** * Given the provided message, will make sure that it is read as alert to screen readers. */ function alert(msg) { insertMessage(alertContainer, msg); } /** * Given the provided message, will make sure that it is read as status to screen readers. */ function status(msg) { if (__WEBPACK_IMPORTED_MODULE_2__common_platform_js__["d" /* isMacintosh */]) { alert(msg); // VoiceOver does not seem to support status role } else { insertMessage(statusContainer, msg); } } var repeatedTimes = 0; var prevText = undefined; function insertMessage(target, msg) { if (!ariaContainer) { // console.warn('ARIA support needs a container. Call setARIAContainer() first.'); return; } if (prevText === msg) { repeatedTimes++; } else { prevText = msg; repeatedTimes = 0; } switch (repeatedTimes) { case 0: break; case 1: msg = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('repeated', "{0} (occurred again)", msg); break; default: msg = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('repeatedNtimes', "{0} (occurred {1} times)", msg, repeatedTimes); break; } __WEBPACK_IMPORTED_MODULE_3__dom_js__["m" /* clearNode */](target); target.textContent = msg; // See https://www.paciellogroup.com/blog/2012/06/html5-accessibility-chops-aria-rolealert-browser-support/ target.style.visibility = 'hidden'; target.style.visibility = 'visible'; } /***/ }), /***/ 1921: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1922); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1922: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-aria-container{position:absolute;left:-999em}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/aria/aria.css"],"names":[],"mappings":"AAKA,uBACC,kBAAmB,AACnB,WAAY,CACZ","file":"aria.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-aria-container {\n\tposition: absolute; /* try to hide from window but not from screen readers */\n\tleft:-999em;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1923: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1924); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1924: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, "::-ms-clear{display:none}.monaco-editor .editor-widget input{color:inherit}.monaco-editor{position:relative;overflow:visible;-webkit-text-size-adjust:100%;-webkit-font-feature-settings:\"liga\" off,\"calt\" off;font-feature-settings:\"liga\" off,\"calt\" off}.monaco-editor.enable-ligatures{-webkit-font-feature-settings:\"liga\" on,\"calt\" on;font-feature-settings:\"liga\" on,\"calt\" on}.monaco-editor .overflow-guard{position:relative;overflow:hidden}.monaco-editor .view-overlays{position:absolute;top:0}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/widget/media/editor.css"],"names":[],"mappings":"AAOA,YACC,YAAc,CACd,AAID,oCACC,aAAe,CACf,AAID,eACC,kBAAmB,AACnB,iBAAkB,AAClB,8BAA+B,AAC/B,oDAAsD,AACtD,2CAA8C,CAC9C,AACD,gCACC,kDAAoD,AACpD,yCAA4C,CAC5C,AAID,+BACC,kBAAmB,AACnB,eAAiB,CACjB,AAED,8BACC,kBAAmB,AACnB,KAAO,CACP","file":"editor.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/* -------------------- IE10 remove auto clear button -------------------- */\n\n::-ms-clear {\n\tdisplay: none;\n}\n\n/* All widgets */\n/* I am not a big fan of this rule */\n.monaco-editor .editor-widget input {\n\tcolor: inherit;\n}\n\n/* -------------------- Editor -------------------- */\n\n.monaco-editor {\n\tposition: relative;\n\toverflow: visible;\n\t-webkit-text-size-adjust: 100%;\n\t-webkit-font-feature-settings: \"liga\" off, \"calt\" off;\n\tfont-feature-settings: \"liga\" off, \"calt\" off;\n}\n.monaco-editor.enable-ligatures {\n\t-webkit-font-feature-settings: \"liga\" on, \"calt\" on;\n\tfont-feature-settings: \"liga\" on, \"calt\" on;\n}\n\n/* -------------------- Misc -------------------- */\n\n.monaco-editor .overflow-guard {\n\tposition: relative;\n\toverflow: hidden;\n}\n\n.monaco-editor .view-overlays {\n\tposition: absolute;\n\ttop: 0;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1925: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1926); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1926: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .vs-whitespace{display:inline-block}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/widget/media/tokens.css"],"names":[],"mappings":"AAKA,8BACC,oBAAqB,CACrB","file":"tokens.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .vs-whitespace {\n\tdisplay:inline-block;\n}\n\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1927: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CharWidthRequest; }); /* harmony export (immutable) */ __webpack_exports__["b"] = readCharWidths; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CharWidthRequest = /** @class */ (function () { function CharWidthRequest(chr, type) { this.chr = chr; this.type = type; this.width = 0; } CharWidthRequest.prototype.fulfill = function (width) { this.width = width; }; return CharWidthRequest; }()); var DomCharWidthReader = /** @class */ (function () { function DomCharWidthReader(bareFontInfo, requests) { this._bareFontInfo = bareFontInfo; this._requests = requests; this._container = null; this._testElements = null; } DomCharWidthReader.prototype.read = function () { // Create a test container with all these test elements this._createDomElements(); // Add the container to the DOM document.body.appendChild(this._container); // Read character widths this._readFromDomElements(); // Remove the container from the DOM document.body.removeChild(this._container); this._container = null; this._testElements = null; }; DomCharWidthReader.prototype._createDomElements = function () { var container = document.createElement('div'); container.style.position = 'absolute'; container.style.top = '-50000px'; container.style.width = '50000px'; var regularDomNode = document.createElement('div'); regularDomNode.style.fontFamily = this._bareFontInfo.getMassagedFontFamily(); regularDomNode.style.fontWeight = this._bareFontInfo.fontWeight; regularDomNode.style.fontSize = this._bareFontInfo.fontSize + 'px'; regularDomNode.style.lineHeight = this._bareFontInfo.lineHeight + 'px'; regularDomNode.style.letterSpacing = this._bareFontInfo.letterSpacing + 'px'; container.appendChild(regularDomNode); var boldDomNode = document.createElement('div'); boldDomNode.style.fontFamily = this._bareFontInfo.getMassagedFontFamily(); boldDomNode.style.fontWeight = 'bold'; boldDomNode.style.fontSize = this._bareFontInfo.fontSize + 'px'; boldDomNode.style.lineHeight = this._bareFontInfo.lineHeight + 'px'; boldDomNode.style.letterSpacing = this._bareFontInfo.letterSpacing + 'px'; container.appendChild(boldDomNode); var italicDomNode = document.createElement('div'); italicDomNode.style.fontFamily = this._bareFontInfo.getMassagedFontFamily(); italicDomNode.style.fontWeight = this._bareFontInfo.fontWeight; italicDomNode.style.fontSize = this._bareFontInfo.fontSize + 'px'; italicDomNode.style.lineHeight = this._bareFontInfo.lineHeight + 'px'; italicDomNode.style.letterSpacing = this._bareFontInfo.letterSpacing + 'px'; italicDomNode.style.fontStyle = 'italic'; container.appendChild(italicDomNode); var testElements = []; for (var i = 0, len = this._requests.length; i < len; i++) { var request = this._requests[i]; var parent_1 = void 0; if (request.type === 0 /* Regular */) { parent_1 = regularDomNode; } if (request.type === 2 /* Bold */) { parent_1 = boldDomNode; } if (request.type === 1 /* Italic */) { parent_1 = italicDomNode; } parent_1.appendChild(document.createElement('br')); var testElement = document.createElement('span'); DomCharWidthReader._render(testElement, request); parent_1.appendChild(testElement); testElements[i] = testElement; } this._container = container; this._testElements = testElements; }; DomCharWidthReader._render = function (testElement, request) { if (request.chr === ' ') { var htmlString = ' '; // Repeat character 256 (2^8) times for (var i = 0; i < 8; i++) { htmlString += htmlString; } testElement.innerHTML = htmlString; } else { var testString = request.chr; // Repeat character 256 (2^8) times for (var i = 0; i < 8; i++) { testString += testString; } testElement.textContent = testString; } }; DomCharWidthReader.prototype._readFromDomElements = function () { for (var i = 0, len = this._requests.length; i < len; i++) { var request = this._requests[i]; var testElement = this._testElements[i]; request.fulfill(testElement.offsetWidth / 256); } }; return DomCharWidthReader; }()); function readCharWidths(bareFontInfo, requests) { var reader = new DomCharWidthReader(bareFontInfo, requests); reader.read(); } /***/ }), /***/ 1928: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ElementSizeObserver; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ElementSizeObserver = /** @class */ (function (_super) { __extends(ElementSizeObserver, _super); function ElementSizeObserver(referenceDomElement, changeCallback) { var _this = _super.call(this) || this; _this.referenceDomElement = referenceDomElement; _this.changeCallback = changeCallback; _this.measureReferenceDomElementToken = -1; _this.width = -1; _this.height = -1; _this.measureReferenceDomElement(false); return _this; } ElementSizeObserver.prototype.dispose = function () { this.stopObserving(); _super.prototype.dispose.call(this); }; ElementSizeObserver.prototype.getWidth = function () { return this.width; }; ElementSizeObserver.prototype.getHeight = function () { return this.height; }; ElementSizeObserver.prototype.startObserving = function () { var _this = this; if (this.measureReferenceDomElementToken === -1) { this.measureReferenceDomElementToken = setInterval(function () { return _this.measureReferenceDomElement(true); }, 100); } }; ElementSizeObserver.prototype.stopObserving = function () { if (this.measureReferenceDomElementToken !== -1) { clearInterval(this.measureReferenceDomElementToken); this.measureReferenceDomElementToken = -1; } }; ElementSizeObserver.prototype.observe = function (dimension) { this.measureReferenceDomElement(true, dimension); }; ElementSizeObserver.prototype.measureReferenceDomElement = function (callChangeCallback, dimension) { var observedWidth = 0; var observedHeight = 0; if (dimension) { observedWidth = dimension.width; observedHeight = dimension.height; } else if (this.referenceDomElement) { observedWidth = this.referenceDomElement.clientWidth; observedHeight = this.referenceDomElement.clientHeight; } observedWidth = Math.max(5, observedWidth); observedHeight = Math.max(5, observedHeight); if (this.width !== observedWidth || this.height !== observedHeight) { this.width = observedWidth; this.height = observedHeight; if (callChangeCallback) { this.changeCallback(); } } }; return ElementSizeObserver; }(__WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1929: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return View; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__controller_pointerHandler_js__ = __webpack_require__(1930); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__controller_textAreaHandler_js__ = __webpack_require__(1933); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__viewController_js__ = __webpack_require__(1939); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__viewOverlays_js__ = __webpack_require__(1955); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__viewParts_contentWidgets_contentWidgets_js__ = __webpack_require__(1956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__viewParts_currentLineHighlight_currentLineHighlight_js__ = __webpack_require__(1957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__viewParts_currentLineMarginHighlight_currentLineMarginHighlight_js__ = __webpack_require__(1960); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__viewParts_decorations_decorations_js__ = __webpack_require__(1963); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__viewParts_editorScrollbar_editorScrollbar_js__ = __webpack_require__(1966); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__viewParts_glyphMargin_glyphMargin_js__ = __webpack_require__(1579); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__viewParts_indentGuides_indentGuides_js__ = __webpack_require__(1974); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__viewParts_lineNumbers_lineNumbers_js__ = __webpack_require__(1700); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__viewParts_lines_viewLines_js__ = __webpack_require__(1977); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__viewParts_linesDecorations_linesDecorations_js__ = __webpack_require__(1980); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__viewParts_margin_margin_js__ = __webpack_require__(1701); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__viewParts_marginDecorations_marginDecorations_js__ = __webpack_require__(1983); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__viewParts_minimap_minimap_js__ = __webpack_require__(1986); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__viewParts_overlayWidgets_overlayWidgets_js__ = __webpack_require__(1991); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__viewParts_overviewRuler_decorationsOverviewRuler_js__ = __webpack_require__(1994); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__viewParts_overviewRuler_overviewRuler_js__ = __webpack_require__(1995); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__viewParts_rulers_rulers_js__ = __webpack_require__(1996); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_25__viewParts_scrollDecoration_scrollDecoration_js__ = __webpack_require__(1999); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__viewParts_selections_selections_js__ = __webpack_require__(2002); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_27__viewParts_viewCursors_viewCursors_js__ = __webpack_require__(2005); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_28__viewParts_viewZones_viewZones_js__ = __webpack_require__(2009); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_29__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_30__common_view_renderingContext_js__ = __webpack_require__(1399); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_31__common_view_viewContext_js__ = __webpack_require__(2010); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_32__common_view_viewEventDispatcher_js__ = __webpack_require__(2011); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_33__common_view_viewEvents_js__ = __webpack_require__(1359); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_34__common_viewLayout_viewLinesViewportData_js__ = __webpack_require__(2012); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_35__common_viewModel_viewEventHandler_js__ = __webpack_require__(1398); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_36__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var invalidFunc = function () { throw new Error("Invalid change accessor"); }; var View = /** @class */ (function (_super) { __extends(View, _super); function View(commandDelegate, configuration, themeService, model, cursor, outgoingEvents) { var _this = _super.call(this) || this; _this._cursor = cursor; _this._renderAnimationFrame = null; _this.outgoingEvents = outgoingEvents; var viewController = new __WEBPACK_IMPORTED_MODULE_5__viewController_js__["a" /* ViewController */](configuration, model, _this.outgoingEvents, commandDelegate); // The event dispatcher will always go through _renderOnce before dispatching any events _this.eventDispatcher = new __WEBPACK_IMPORTED_MODULE_32__common_view_viewEventDispatcher_js__["a" /* ViewEventDispatcher */](function (callback) { return _this._renderOnce(callback); }); // Ensure the view is the first event handler in order to update the layout _this.eventDispatcher.addEventHandler(_this); // The view context is passed on to most classes (basically to reduce param. counts in ctors) _this._context = new __WEBPACK_IMPORTED_MODULE_31__common_view_viewContext_js__["a" /* ViewContext */](configuration, themeService.getTheme(), model, _this.eventDispatcher); _this._register(themeService.onThemeChange(function (theme) { _this._context.theme = theme; _this.eventDispatcher.emit(new __WEBPACK_IMPORTED_MODULE_33__common_view_viewEvents_js__["n" /* ViewThemeChangedEvent */]()); _this.render(true, false); })); _this.viewParts = []; // Keyboard handler _this._textAreaHandler = new __WEBPACK_IMPORTED_MODULE_4__controller_textAreaHandler_js__["a" /* TextAreaHandler */](_this._context, viewController, _this.createTextAreaHandlerHelper()); _this.viewParts.push(_this._textAreaHandler); _this.createViewParts(); _this._setLayout(); // Pointer handler _this.pointerHandler = new __WEBPACK_IMPORTED_MODULE_3__controller_pointerHandler_js__["a" /* PointerHandler */](_this._context, viewController, _this.createPointerHandlerHelper()); _this._register(model.addEventListener(function (events) { _this.eventDispatcher.emitMany(events); })); _this._register(_this._cursor.addEventListener(function (events) { _this.eventDispatcher.emitMany(events); })); return _this; } View.prototype.createViewParts = function () { // These two dom nodes must be constructed up front, since references are needed in the layout provider (scrolling & co.) this.linesContent = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); this.linesContent.setClassName('lines-content' + ' monaco-editor-background'); this.linesContent.setPosition('absolute'); this.domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); this.domNode.setClassName(this.getEditorClassName()); this.overflowGuardContainer = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); __WEBPACK_IMPORTED_MODULE_7__viewPart_js__["a" /* PartFingerprints */].write(this.overflowGuardContainer, 3 /* OverflowGuard */); this.overflowGuardContainer.setClassName('overflow-guard'); this._scrollbar = new __WEBPACK_IMPORTED_MODULE_12__viewParts_editorScrollbar_editorScrollbar_js__["a" /* EditorScrollbar */](this._context, this.linesContent, this.domNode, this.overflowGuardContainer); this.viewParts.push(this._scrollbar); // View Lines this.viewLines = new __WEBPACK_IMPORTED_MODULE_16__viewParts_lines_viewLines_js__["a" /* ViewLines */](this._context, this.linesContent); // View Zones this.viewZones = new __WEBPACK_IMPORTED_MODULE_28__viewParts_viewZones_viewZones_js__["a" /* ViewZones */](this._context); this.viewParts.push(this.viewZones); // Decorations overview ruler var decorationsOverviewRuler = new __WEBPACK_IMPORTED_MODULE_22__viewParts_overviewRuler_decorationsOverviewRuler_js__["a" /* DecorationsOverviewRuler */](this._context); this.viewParts.push(decorationsOverviewRuler); var scrollDecoration = new __WEBPACK_IMPORTED_MODULE_25__viewParts_scrollDecoration_scrollDecoration_js__["a" /* ScrollDecorationViewPart */](this._context); this.viewParts.push(scrollDecoration); var contentViewOverlays = new __WEBPACK_IMPORTED_MODULE_6__viewOverlays_js__["a" /* ContentViewOverlays */](this._context); this.viewParts.push(contentViewOverlays); contentViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_9__viewParts_currentLineHighlight_currentLineHighlight_js__["a" /* CurrentLineHighlightOverlay */](this._context)); contentViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_26__viewParts_selections_selections_js__["a" /* SelectionsOverlay */](this._context)); contentViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_14__viewParts_indentGuides_indentGuides_js__["a" /* IndentGuidesOverlay */](this._context)); contentViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_11__viewParts_decorations_decorations_js__["a" /* DecorationsOverlay */](this._context)); var marginViewOverlays = new __WEBPACK_IMPORTED_MODULE_6__viewOverlays_js__["b" /* MarginViewOverlays */](this._context); this.viewParts.push(marginViewOverlays); marginViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_10__viewParts_currentLineMarginHighlight_currentLineMarginHighlight_js__["a" /* CurrentLineMarginHighlightOverlay */](this._context)); marginViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_13__viewParts_glyphMargin_glyphMargin_js__["c" /* GlyphMarginOverlay */](this._context)); marginViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_19__viewParts_marginDecorations_marginDecorations_js__["a" /* MarginViewLineDecorationsOverlay */](this._context)); marginViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_17__viewParts_linesDecorations_linesDecorations_js__["a" /* LinesDecorationsOverlay */](this._context)); marginViewOverlays.addDynamicOverlay(new __WEBPACK_IMPORTED_MODULE_15__viewParts_lineNumbers_lineNumbers_js__["a" /* LineNumbersOverlay */](this._context)); var margin = new __WEBPACK_IMPORTED_MODULE_18__viewParts_margin_margin_js__["a" /* Margin */](this._context); margin.getDomNode().appendChild(this.viewZones.marginDomNode); margin.getDomNode().appendChild(marginViewOverlays.getDomNode()); this.viewParts.push(margin); // Content widgets this.contentWidgets = new __WEBPACK_IMPORTED_MODULE_8__viewParts_contentWidgets_contentWidgets_js__["a" /* ViewContentWidgets */](this._context, this.domNode); this.viewParts.push(this.contentWidgets); this.viewCursors = new __WEBPACK_IMPORTED_MODULE_27__viewParts_viewCursors_viewCursors_js__["a" /* ViewCursors */](this._context); this.viewParts.push(this.viewCursors); // Overlay widgets this.overlayWidgets = new __WEBPACK_IMPORTED_MODULE_21__viewParts_overlayWidgets_overlayWidgets_js__["a" /* ViewOverlayWidgets */](this._context); this.viewParts.push(this.overlayWidgets); var rulers = new __WEBPACK_IMPORTED_MODULE_24__viewParts_rulers_rulers_js__["a" /* Rulers */](this._context); this.viewParts.push(rulers); var minimap = new __WEBPACK_IMPORTED_MODULE_20__viewParts_minimap_minimap_js__["a" /* Minimap */](this._context); this.viewParts.push(minimap); // -------------- Wire dom nodes up if (decorationsOverviewRuler) { var overviewRulerData = this._scrollbar.getOverviewRulerLayoutInfo(); overviewRulerData.parent.insertBefore(decorationsOverviewRuler.getDomNode(), overviewRulerData.insertBefore); } this.linesContent.appendChild(contentViewOverlays.getDomNode()); this.linesContent.appendChild(rulers.domNode); this.linesContent.appendChild(this.viewZones.domNode); this.linesContent.appendChild(this.viewLines.getDomNode()); this.linesContent.appendChild(this.contentWidgets.domNode); this.linesContent.appendChild(this.viewCursors.getDomNode()); this.overflowGuardContainer.appendChild(margin.getDomNode()); this.overflowGuardContainer.appendChild(this._scrollbar.getDomNode()); this.overflowGuardContainer.appendChild(scrollDecoration.getDomNode()); this.overflowGuardContainer.appendChild(this._textAreaHandler.textArea); this.overflowGuardContainer.appendChild(this._textAreaHandler.textAreaCover); this.overflowGuardContainer.appendChild(this.overlayWidgets.getDomNode()); this.overflowGuardContainer.appendChild(minimap.getDomNode()); this.domNode.appendChild(this.overflowGuardContainer); this.domNode.appendChild(this.contentWidgets.overflowingContentWidgetsDomNode); }; View.prototype._flushAccumulatedAndRenderNow = function () { this._renderNow(); }; View.prototype.createPointerHandlerHelper = function () { var _this = this; return { viewDomNode: this.domNode.domNode, linesContentDomNode: this.linesContent.domNode, focusTextArea: function () { _this.focus(); }, getLastViewCursorsRenderData: function () { return _this.viewCursors.getLastRenderData() || []; }, shouldSuppressMouseDownOnViewZone: function (viewZoneId) { return _this.viewZones.shouldSuppressMouseDownOnViewZone(viewZoneId); }, shouldSuppressMouseDownOnWidget: function (widgetId) { return _this.contentWidgets.shouldSuppressMouseDownOnWidget(widgetId); }, getPositionFromDOMInfo: function (spanNode, offset) { _this._flushAccumulatedAndRenderNow(); return _this.viewLines.getPositionFromDOMInfo(spanNode, offset); }, visibleRangeForPosition2: function (lineNumber, column) { _this._flushAccumulatedAndRenderNow(); return _this.viewLines.visibleRangeForPosition(new __WEBPACK_IMPORTED_MODULE_29__common_core_position_js__["a" /* Position */](lineNumber, column)); }, getLineWidth: function (lineNumber) { _this._flushAccumulatedAndRenderNow(); return _this.viewLines.getLineWidth(lineNumber); } }; }; View.prototype.createTextAreaHandlerHelper = function () { var _this = this; return { visibleRangeForPositionRelativeToEditor: function (lineNumber, column) { _this._flushAccumulatedAndRenderNow(); return _this.viewLines.visibleRangeForPosition(new __WEBPACK_IMPORTED_MODULE_29__common_core_position_js__["a" /* Position */](lineNumber, column)); } }; }; View.prototype._setLayout = function () { var layoutInfo = this._context.configuration.editor.layoutInfo; this.domNode.setWidth(layoutInfo.width); this.domNode.setHeight(layoutInfo.height); this.overflowGuardContainer.setWidth(layoutInfo.width); this.overflowGuardContainer.setHeight(layoutInfo.height); this.linesContent.setWidth(1000000); this.linesContent.setHeight(1000000); }; View.prototype.getEditorClassName = function () { var focused = this._textAreaHandler.isFocused() ? ' focused' : ''; return this._context.configuration.editor.editorClassName + ' ' + Object(__WEBPACK_IMPORTED_MODULE_36__platform_theme_common_themeService_js__["d" /* getThemeTypeSelector */])(this._context.theme.type) + focused; }; // --- begin event handlers View.prototype.onConfigurationChanged = function (e) { if (e.editorClassName) { this.domNode.setClassName(this.getEditorClassName()); } if (e.layoutInfo) { this._setLayout(); } return false; }; View.prototype.onFocusChanged = function (e) { this.domNode.setClassName(this.getEditorClassName()); this._context.model.setHasFocus(e.isFocused); if (e.isFocused) { this.outgoingEvents.emitViewFocusGained(); } else { this.outgoingEvents.emitViewFocusLost(); } return false; }; View.prototype.onScrollChanged = function (e) { this.outgoingEvents.emitScrollChanged(e); return false; }; View.prototype.onThemeChanged = function (e) { this.domNode.setClassName(this.getEditorClassName()); return false; }; // --- end event handlers View.prototype.dispose = function () { if (this._renderAnimationFrame !== null) { this._renderAnimationFrame.dispose(); this._renderAnimationFrame = null; } this.eventDispatcher.removeEventHandler(this); this.outgoingEvents.dispose(); this.pointerHandler.dispose(); this.viewLines.dispose(); // Destroy view parts for (var i = 0, len = this.viewParts.length; i < len; i++) { this.viewParts[i].dispose(); } this.viewParts = []; _super.prototype.dispose.call(this); }; View.prototype._renderOnce = function (callback) { var r = safeInvokeNoArg(callback); this._scheduleRender(); return r; }; View.prototype._scheduleRender = function () { if (this._renderAnimationFrame === null) { this._renderAnimationFrame = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["I" /* runAtThisOrScheduleAtNextAnimationFrame */](this._onRenderScheduled.bind(this), 100); } }; View.prototype._onRenderScheduled = function () { this._renderAnimationFrame = null; this._flushAccumulatedAndRenderNow(); }; View.prototype._renderNow = function () { var _this = this; safeInvokeNoArg(function () { return _this._actualRender(); }); }; View.prototype._getViewPartsToRender = function () { var result = [], resultLen = 0; for (var i = 0, len = this.viewParts.length; i < len; i++) { var viewPart = this.viewParts[i]; if (viewPart.shouldRender()) { result[resultLen++] = viewPart; } } return result; }; View.prototype._actualRender = function () { if (!__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["B" /* isInDOM */](this.domNode.domNode)) { return; } var viewPartsToRender = this._getViewPartsToRender(); if (!this.viewLines.shouldRender() && viewPartsToRender.length === 0) { // Nothing to render return; } var partialViewportData = this._context.viewLayout.getLinesViewportData(); this._context.model.setViewport(partialViewportData.startLineNumber, partialViewportData.endLineNumber, partialViewportData.centeredLineNumber); var viewportData = new __WEBPACK_IMPORTED_MODULE_34__common_viewLayout_viewLinesViewportData_js__["a" /* ViewportData */](this._cursor.getViewSelections(), partialViewportData, this._context.viewLayout.getWhitespaceViewportData(), this._context.model); if (this.contentWidgets.shouldRender()) { // Give the content widgets a chance to set their max width before a possible synchronous layout this.contentWidgets.onBeforeRender(viewportData); } if (this.viewLines.shouldRender()) { this.viewLines.renderText(viewportData); this.viewLines.onDidRender(); // Rendering of viewLines might cause scroll events to occur, so collect view parts to render again viewPartsToRender = this._getViewPartsToRender(); } var renderingContext = new __WEBPACK_IMPORTED_MODULE_30__common_view_renderingContext_js__["c" /* RenderingContext */](this._context.viewLayout, viewportData, this.viewLines); // Render the rest of the parts for (var i = 0, len = viewPartsToRender.length; i < len; i++) { var viewPart = viewPartsToRender[i]; viewPart.prepareRender(renderingContext); } for (var i = 0, len = viewPartsToRender.length; i < len; i++) { var viewPart = viewPartsToRender[i]; viewPart.render(renderingContext); viewPart.onDidRender(); } }; // --- BEGIN CodeEditor helpers View.prototype.delegateVerticalScrollbarMouseDown = function (browserEvent) { this._scrollbar.delegateVerticalScrollbarMouseDown(browserEvent); }; View.prototype.restoreState = function (scrollPosition) { this._context.viewLayout.setScrollPositionNow({ scrollTop: scrollPosition.scrollTop }); this._context.model.tokenizeViewport(); this._renderNow(); this.viewLines.updateLineWidths(); this._context.viewLayout.setScrollPositionNow({ scrollLeft: scrollPosition.scrollLeft }); }; View.prototype.getOffsetForColumn = function (modelLineNumber, modelColumn) { var modelPosition = this._context.model.validateModelPosition({ lineNumber: modelLineNumber, column: modelColumn }); var viewPosition = this._context.model.coordinatesConverter.convertModelPositionToViewPosition(modelPosition); this._flushAccumulatedAndRenderNow(); var visibleRange = this.viewLines.visibleRangeForPosition(new __WEBPACK_IMPORTED_MODULE_29__common_core_position_js__["a" /* Position */](viewPosition.lineNumber, viewPosition.column)); if (!visibleRange) { return -1; } return visibleRange.left; }; View.prototype.getTargetAtClientPoint = function (clientX, clientY) { return this.pointerHandler.getTargetAtClientPoint(clientX, clientY); }; View.prototype.createOverviewRuler = function (cssClassName) { return new __WEBPACK_IMPORTED_MODULE_23__viewParts_overviewRuler_overviewRuler_js__["a" /* OverviewRuler */](this._context, cssClassName); }; View.prototype.change = function (callback) { var _this = this; var zonesHaveChanged = false; this._renderOnce(function () { var changeAccessor = { addZone: function (zone) { zonesHaveChanged = true; return _this.viewZones.addZone(zone); }, removeZone: function (id) { if (!id) { return; } zonesHaveChanged = _this.viewZones.removeZone(id) || zonesHaveChanged; }, layoutZone: function (id) { if (!id) { return; } zonesHaveChanged = _this.viewZones.layoutZone(id) || zonesHaveChanged; } }; safeInvoke1Arg(callback, changeAccessor); // Invalidate changeAccessor changeAccessor.addZone = invalidFunc; changeAccessor.removeZone = invalidFunc; changeAccessor.layoutZone = invalidFunc; if (zonesHaveChanged) { _this._context.viewLayout.onHeightMaybeChanged(); _this._context.privateViewEventBus.emit(new __WEBPACK_IMPORTED_MODULE_33__common_view_viewEvents_js__["q" /* ViewZonesChangedEvent */]()); } }); return zonesHaveChanged; }; View.prototype.render = function (now, everything) { if (everything) { // Force everything to render... this.viewLines.forceShouldRender(); for (var i = 0, len = this.viewParts.length; i < len; i++) { var viewPart = this.viewParts[i]; viewPart.forceShouldRender(); } } if (now) { this._flushAccumulatedAndRenderNow(); } else { this._scheduleRender(); } }; View.prototype.focus = function () { this._textAreaHandler.focusTextArea(); }; View.prototype.isFocused = function () { return this._textAreaHandler.isFocused(); }; View.prototype.addContentWidget = function (widgetData) { this.contentWidgets.addWidget(widgetData.widget); this.layoutContentWidget(widgetData); this._scheduleRender(); }; View.prototype.layoutContentWidget = function (widgetData) { var newPosition = widgetData.position ? widgetData.position.position : null; var newRange = widgetData.position ? widgetData.position.range : null; var newPreference = widgetData.position ? widgetData.position.preference : null; this.contentWidgets.setWidgetPosition(widgetData.widget, newPosition, newRange, newPreference); this._scheduleRender(); }; View.prototype.removeContentWidget = function (widgetData) { this.contentWidgets.removeWidget(widgetData.widget); this._scheduleRender(); }; View.prototype.addOverlayWidget = function (widgetData) { this.overlayWidgets.addWidget(widgetData.widget); this.layoutOverlayWidget(widgetData); this._scheduleRender(); }; View.prototype.layoutOverlayWidget = function (widgetData) { var newPreference = widgetData.position ? widgetData.position.preference : null; var shouldRender = this.overlayWidgets.setWidgetPosition(widgetData.widget, newPreference); if (shouldRender) { this._scheduleRender(); } }; View.prototype.removeOverlayWidget = function (widgetData) { this.overlayWidgets.removeWidget(widgetData.widget); this._scheduleRender(); }; return View; }(__WEBPACK_IMPORTED_MODULE_35__common_viewModel_viewEventHandler_js__["a" /* ViewEventHandler */])); function safeInvokeNoArg(func) { try { return func(); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_2__base_common_errors_js__["e" /* onUnexpectedError */])(e); } } function safeInvoke1Arg(func, arg1) { try { return func(arg1); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_2__base_common_errors_js__["e" /* onUnexpectedError */])(e); } } /***/ }), /***/ 1930: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PointerHandler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_touch_js__ = __webpack_require__(1397); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__mouseHandler_js__ = __webpack_require__(1931); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__editorDom_js__ = __webpack_require__(1575); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function gestureChangeEventMerger(lastEvent, currentEvent) { var r = { translationY: currentEvent.translationY, translationX: currentEvent.translationX }; if (lastEvent) { r.translationY += lastEvent.translationY; r.translationX += lastEvent.translationX; } return r; } /** * Basically IE10 and IE11 */ var MsPointerHandler = /** @class */ (function (_super) { __extends(MsPointerHandler, _super); function MsPointerHandler(context, viewController, viewHelper) { var _this = _super.call(this, context, viewController, viewHelper) || this; _this.viewHelper.linesContentDomNode.style.msTouchAction = 'none'; _this.viewHelper.linesContentDomNode.style.msContentZooming = 'none'; // TODO@Alex -> this expects that the view is added in 100 ms, might not be the case // This handler should be added when the dom node is in the dom tree _this._installGestureHandlerTimeout = window.setTimeout(function () { _this._installGestureHandlerTimeout = -1; if (window.MSGesture) { var touchGesture_1 = new MSGesture(); var penGesture_1 = new MSGesture(); touchGesture_1.target = _this.viewHelper.linesContentDomNode; penGesture_1.target = _this.viewHelper.linesContentDomNode; _this.viewHelper.linesContentDomNode.addEventListener('MSPointerDown', function (e) { // Circumvent IE11 breaking change in e.pointerType & TypeScript's stale definitions var pointerType = e.pointerType; if (pointerType === (e.MSPOINTER_TYPE_MOUSE || 'mouse')) { _this._lastPointerType = 'mouse'; return; } else if (pointerType === (e.MSPOINTER_TYPE_TOUCH || 'touch')) { _this._lastPointerType = 'touch'; touchGesture_1.addPointer(e.pointerId); } else { _this._lastPointerType = 'pen'; penGesture_1.addPointer(e.pointerId); } }); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["i" /* addDisposableThrottledListener */](_this.viewHelper.linesContentDomNode, 'MSGestureChange', function (e) { return _this._onGestureChange(e); }, gestureChangeEventMerger)); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](_this.viewHelper.linesContentDomNode, 'MSGestureTap', function (e) { return _this._onCaptureGestureTap(e); }, true)); } }, 100); _this._lastPointerType = 'mouse'; return _this; } MsPointerHandler.prototype._onMouseDown = function (e) { if (this._lastPointerType === 'mouse') { _super.prototype._onMouseDown.call(this, e); } }; MsPointerHandler.prototype._onCaptureGestureTap = function (rawEvent) { var _this = this; var e = new __WEBPACK_IMPORTED_MODULE_3__editorDom_js__["b" /* EditorMouseEvent */](rawEvent, this.viewHelper.viewDomNode); var t = this._createMouseTarget(e, false); if (t.position) { this.viewController.moveTo(t.position); } // IE does not want to focus when coming in from the browser's address bar if (e.browserEvent.fromElement) { e.preventDefault(); this.viewHelper.focusTextArea(); } else { // TODO@Alex -> cancel this is focus is lost setTimeout(function () { _this.viewHelper.focusTextArea(); }); } }; MsPointerHandler.prototype._onGestureChange = function (e) { this._context.viewLayout.deltaScrollNow(-e.translationX, -e.translationY); }; MsPointerHandler.prototype.dispose = function () { window.clearTimeout(this._installGestureHandlerTimeout); _super.prototype.dispose.call(this); }; return MsPointerHandler; }(__WEBPACK_IMPORTED_MODULE_2__mouseHandler_js__["a" /* MouseHandler */])); /** * Basically Edge but should be modified to handle any pointerEnabled, even without support of MSGesture */ var StandardPointerHandler = /** @class */ (function (_super) { __extends(StandardPointerHandler, _super); function StandardPointerHandler(context, viewController, viewHelper) { var _this = _super.call(this, context, viewController, viewHelper) || this; _this.viewHelper.linesContentDomNode.style.touchAction = 'none'; // TODO@Alex -> this expects that the view is added in 100 ms, might not be the case // This handler should be added when the dom node is in the dom tree _this._installGestureHandlerTimeout = window.setTimeout(function () { _this._installGestureHandlerTimeout = -1; // TODO@Alex: replace the usage of MSGesture here with something that works across all browsers if (window.MSGesture) { var touchGesture_2 = new MSGesture(); var penGesture_2 = new MSGesture(); touchGesture_2.target = _this.viewHelper.linesContentDomNode; penGesture_2.target = _this.viewHelper.linesContentDomNode; _this.viewHelper.linesContentDomNode.addEventListener('pointerdown', function (e) { var pointerType = e.pointerType; if (pointerType === 'mouse') { _this._lastPointerType = 'mouse'; return; } else if (pointerType === 'touch') { _this._lastPointerType = 'touch'; touchGesture_2.addPointer(e.pointerId); } else { _this._lastPointerType = 'pen'; penGesture_2.addPointer(e.pointerId); } }); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["i" /* addDisposableThrottledListener */](_this.viewHelper.linesContentDomNode, 'MSGestureChange', function (e) { return _this._onGestureChange(e); }, gestureChangeEventMerger)); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](_this.viewHelper.linesContentDomNode, 'MSGestureTap', function (e) { return _this._onCaptureGestureTap(e); }, true)); } }, 100); _this._lastPointerType = 'mouse'; return _this; } StandardPointerHandler.prototype._onMouseDown = function (e) { if (this._lastPointerType === 'mouse') { _super.prototype._onMouseDown.call(this, e); } }; StandardPointerHandler.prototype._onCaptureGestureTap = function (rawEvent) { var _this = this; var e = new __WEBPACK_IMPORTED_MODULE_3__editorDom_js__["b" /* EditorMouseEvent */](rawEvent, this.viewHelper.viewDomNode); var t = this._createMouseTarget(e, false); if (t.position) { this.viewController.moveTo(t.position); } // IE does not want to focus when coming in from the browser's address bar if (e.browserEvent.fromElement) { e.preventDefault(); this.viewHelper.focusTextArea(); } else { // TODO@Alex -> cancel this is focus is lost setTimeout(function () { _this.viewHelper.focusTextArea(); }); } }; StandardPointerHandler.prototype._onGestureChange = function (e) { this._context.viewLayout.deltaScrollNow(-e.translationX, -e.translationY); }; StandardPointerHandler.prototype.dispose = function () { window.clearTimeout(this._installGestureHandlerTimeout); _super.prototype.dispose.call(this); }; return StandardPointerHandler; }(__WEBPACK_IMPORTED_MODULE_2__mouseHandler_js__["a" /* MouseHandler */])); var TouchHandler = /** @class */ (function (_super) { __extends(TouchHandler, _super); function TouchHandler(context, viewController, viewHelper) { var _this = _super.call(this, context, viewController, viewHelper) || this; __WEBPACK_IMPORTED_MODULE_1__base_browser_touch_js__["b" /* Gesture */].addTarget(_this.viewHelper.linesContentDomNode); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](_this.viewHelper.linesContentDomNode, __WEBPACK_IMPORTED_MODULE_1__base_browser_touch_js__["a" /* EventType */].Tap, function (e) { return _this.onTap(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](_this.viewHelper.linesContentDomNode, __WEBPACK_IMPORTED_MODULE_1__base_browser_touch_js__["a" /* EventType */].Change, function (e) { return _this.onChange(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](_this.viewHelper.linesContentDomNode, __WEBPACK_IMPORTED_MODULE_1__base_browser_touch_js__["a" /* EventType */].Contextmenu, function (e) { return _this._onContextMenu(new __WEBPACK_IMPORTED_MODULE_3__editorDom_js__["b" /* EditorMouseEvent */](e, _this.viewHelper.viewDomNode), false); })); return _this; } TouchHandler.prototype.dispose = function () { _super.prototype.dispose.call(this); }; TouchHandler.prototype.onTap = function (event) { event.preventDefault(); this.viewHelper.focusTextArea(); var target = this._createMouseTarget(new __WEBPACK_IMPORTED_MODULE_3__editorDom_js__["b" /* EditorMouseEvent */](event, this.viewHelper.viewDomNode), false); if (target.position) { this.viewController.moveTo(target.position); } }; TouchHandler.prototype.onChange = function (e) { this._context.viewLayout.deltaScrollNow(-e.translationX, -e.translationY); }; return TouchHandler; }(__WEBPACK_IMPORTED_MODULE_2__mouseHandler_js__["a" /* MouseHandler */])); var PointerHandler = /** @class */ (function () { function PointerHandler(context, viewController, viewHelper) { if (window.navigator.msPointerEnabled) { this.handler = new MsPointerHandler(context, viewController, viewHelper); } else if (window.TouchEvent) { this.handler = new TouchHandler(context, viewController, viewHelper); } else if (window.navigator.pointerEnabled || window.PointerEvent) { this.handler = new StandardPointerHandler(context, viewController, viewHelper); } else { this.handler = new __WEBPACK_IMPORTED_MODULE_2__mouseHandler_js__["a" /* MouseHandler */](context, viewController, viewHelper); } } PointerHandler.prototype.getTargetAtClientPoint = function (clientX, clientY) { return this.handler.getTargetAtClientPoint(clientX, clientY); }; PointerHandler.prototype.dispose = function () { this.handler.dispose(); }; return PointerHandler; }()); /***/ }), /***/ 1931: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MouseHandler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__ = __webpack_require__(1697); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__editorDom_js__ = __webpack_require__(1575); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_config_editorZoom_js__ = __webpack_require__(1563); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_viewModel_viewEventHandler_js__ = __webpack_require__(1398); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * Merges mouse events when mouse move events are throttled */ function createMouseMoveEventMerger(mouseTargetFactory) { return function (lastEvent, currentEvent) { var targetIsWidget = false; if (mouseTargetFactory) { targetIsWidget = mouseTargetFactory.mouseTargetIsWidget(currentEvent); } if (!targetIsWidget) { currentEvent.preventDefault(); } return currentEvent; }; } var MouseHandler = /** @class */ (function (_super) { __extends(MouseHandler, _super); function MouseHandler(context, viewController, viewHelper) { var _this = _super.call(this) || this; _this._isFocused = false; _this._context = context; _this.viewController = viewController; _this.viewHelper = viewHelper; _this.mouseTargetFactory = new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["c" /* MouseTargetFactory */](_this._context, viewHelper); _this._mouseDownOperation = _this._register(new MouseDownOperation(_this._context, _this.viewController, _this.viewHelper, function (e, testEventTarget) { return _this._createMouseTarget(e, testEventTarget); }, function (e) { return _this._getMouseColumn(e); })); _this._asyncFocus = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_async_js__["c" /* RunOnceScheduler */](function () { return _this.viewHelper.focusTextArea(); }, 0)); _this.lastMouseLeaveTime = -1; var mouseEvents = new __WEBPACK_IMPORTED_MODULE_7__editorDom_js__["c" /* EditorMouseEventFactory */](_this.viewHelper.viewDomNode); _this._register(mouseEvents.onContextMenu(_this.viewHelper.viewDomNode, function (e) { return _this._onContextMenu(e, true); })); _this._register(mouseEvents.onMouseMoveThrottled(_this.viewHelper.viewDomNode, function (e) { return _this._onMouseMove(e); }, createMouseMoveEventMerger(_this.mouseTargetFactory), MouseHandler.MOUSE_MOVE_MINIMUM_TIME)); _this._register(mouseEvents.onMouseUp(_this.viewHelper.viewDomNode, function (e) { return _this._onMouseUp(e); })); _this._register(mouseEvents.onMouseLeave(_this.viewHelper.viewDomNode, function (e) { return _this._onMouseLeave(e); })); _this._register(mouseEvents.onMouseDown(_this.viewHelper.viewDomNode, function (e) { return _this._onMouseDown(e); })); var onMouseWheel = function (browserEvent) { if (!_this._context.configuration.editor.viewInfo.mouseWheelZoom) { return; } var e = new __WEBPACK_IMPORTED_MODULE_2__base_browser_mouseEvent_js__["b" /* StandardWheelEvent */](browserEvent); if (e.browserEvent.ctrlKey || e.browserEvent.metaKey) { var zoomLevel = __WEBPACK_IMPORTED_MODULE_8__common_config_editorZoom_js__["a" /* EditorZoom */].getZoomLevel(); var delta = e.deltaY > 0 ? 1 : -1; __WEBPACK_IMPORTED_MODULE_8__common_config_editorZoom_js__["a" /* EditorZoom */].setZoomLevel(zoomLevel + delta); e.preventDefault(); e.stopPropagation(); } }; _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](_this.viewHelper.viewDomNode, 'mousewheel', onMouseWheel, true)); _this._context.addEventHandler(_this); return _this; } MouseHandler.prototype.dispose = function () { this._context.removeEventHandler(this); _super.prototype.dispose.call(this); }; // --- begin event handlers MouseHandler.prototype.onCursorStateChanged = function (e) { this._mouseDownOperation.onCursorStateChanged(e); return false; }; MouseHandler.prototype.onFocusChanged = function (e) { this._isFocused = e.isFocused; return false; }; MouseHandler.prototype.onScrollChanged = function (e) { this._mouseDownOperation.onScrollChanged(); return false; }; // --- end event handlers MouseHandler.prototype.getTargetAtClientPoint = function (clientX, clientY) { var clientPos = new __WEBPACK_IMPORTED_MODULE_7__editorDom_js__["a" /* ClientCoordinates */](clientX, clientY); var pos = clientPos.toPageCoordinates(); var editorPos = Object(__WEBPACK_IMPORTED_MODULE_7__editorDom_js__["f" /* createEditorPagePosition */])(this.viewHelper.viewDomNode); if (pos.y < editorPos.y || pos.y > editorPos.y + editorPos.height || pos.x < editorPos.x || pos.x > editorPos.x + editorPos.width) { return null; } var lastViewCursorsRenderData = this.viewHelper.getLastViewCursorsRenderData(); return this.mouseTargetFactory.createMouseTarget(lastViewCursorsRenderData, editorPos, pos, null); }; MouseHandler.prototype._createMouseTarget = function (e, testEventTarget) { var lastViewCursorsRenderData = this.viewHelper.getLastViewCursorsRenderData(); return this.mouseTargetFactory.createMouseTarget(lastViewCursorsRenderData, e.editorPos, e.pos, testEventTarget ? e.target : null); }; MouseHandler.prototype._getMouseColumn = function (e) { return this.mouseTargetFactory.getMouseColumn(e.editorPos, e.pos); }; MouseHandler.prototype._onContextMenu = function (e, testEventTarget) { this.viewController.emitContextMenu({ event: e, target: this._createMouseTarget(e, testEventTarget) }); }; MouseHandler.prototype._onMouseMove = function (e) { if (this._mouseDownOperation.isActive()) { // In selection/drag operation return; } var actualMouseMoveTime = e.timestamp; if (actualMouseMoveTime < this.lastMouseLeaveTime) { // Due to throttling, this event occurred before the mouse left the editor, therefore ignore it. return; } this.viewController.emitMouseMove({ event: e, target: this._createMouseTarget(e, true) }); }; MouseHandler.prototype._onMouseLeave = function (e) { this.lastMouseLeaveTime = (new Date()).getTime(); this.viewController.emitMouseLeave({ event: e, target: null }); }; MouseHandler.prototype._onMouseUp = function (e) { this.viewController.emitMouseUp({ event: e, target: this._createMouseTarget(e, true) }); }; MouseHandler.prototype._onMouseDown = function (e) { var _this = this; var t = this._createMouseTarget(e, true); var targetIsContent = (t.type === 6 /* CONTENT_TEXT */ || t.type === 7 /* CONTENT_EMPTY */); var targetIsGutter = (t.type === 2 /* GUTTER_GLYPH_MARGIN */ || t.type === 3 /* GUTTER_LINE_NUMBERS */ || t.type === 4 /* GUTTER_LINE_DECORATIONS */); var targetIsLineNumbers = (t.type === 3 /* GUTTER_LINE_NUMBERS */); var selectOnLineNumbers = this._context.configuration.editor.viewInfo.selectOnLineNumbers; var targetIsViewZone = (t.type === 8 /* CONTENT_VIEW_ZONE */ || t.type === 5 /* GUTTER_VIEW_ZONE */); var targetIsWidget = (t.type === 9 /* CONTENT_WIDGET */); var shouldHandle = e.leftButton || e.middleButton; if (__WEBPACK_IMPORTED_MODULE_5__base_common_platform_js__["d" /* isMacintosh */] && e.leftButton && e.ctrlKey) { shouldHandle = false; } var focus = function () { // In IE11, if the focus is in the browser's address bar and // then you click in the editor, calling preventDefault() // will not move focus properly (focus remains the address bar) if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["j" /* isIE */] && !_this._isFocused) { _this._asyncFocus.schedule(); } else { e.preventDefault(); _this.viewHelper.focusTextArea(); } }; if (shouldHandle && (targetIsContent || (targetIsLineNumbers && selectOnLineNumbers))) { focus(); this._mouseDownOperation.start(t.type, e); } else if (targetIsGutter) { // Do not steal focus e.preventDefault(); } else if (targetIsViewZone) { var viewZoneData = t.detail; if (this.viewHelper.shouldSuppressMouseDownOnViewZone(viewZoneData.viewZoneId)) { focus(); this._mouseDownOperation.start(t.type, e); e.preventDefault(); } } else if (targetIsWidget && this.viewHelper.shouldSuppressMouseDownOnWidget(t.detail)) { focus(); e.preventDefault(); } this.viewController.emitMouseDown({ event: e, target: t }); }; MouseHandler.MOUSE_MOVE_MINIMUM_TIME = 100; // ms return MouseHandler; }(__WEBPACK_IMPORTED_MODULE_11__common_viewModel_viewEventHandler_js__["a" /* ViewEventHandler */])); var MouseDownOperation = /** @class */ (function (_super) { __extends(MouseDownOperation, _super); function MouseDownOperation(context, viewController, viewHelper, createMouseTarget, getMouseColumn) { var _this = _super.call(this) || this; _this._context = context; _this._viewController = viewController; _this._viewHelper = viewHelper; _this._createMouseTarget = createMouseTarget; _this._getMouseColumn = getMouseColumn; _this._mouseMoveMonitor = _this._register(new __WEBPACK_IMPORTED_MODULE_7__editorDom_js__["d" /* GlobalEditorMouseMoveMonitor */](_this._viewHelper.viewDomNode)); _this._onScrollTimeout = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_async_js__["d" /* TimeoutTimer */]()); _this._mouseState = new MouseDownState(); _this._currentSelection = new __WEBPACK_IMPORTED_MODULE_10__common_core_selection_js__["a" /* Selection */](1, 1, 1, 1); _this._isActive = false; _this._lastMouseEvent = null; return _this; } MouseDownOperation.prototype.dispose = function () { _super.prototype.dispose.call(this); }; MouseDownOperation.prototype.isActive = function () { return this._isActive; }; MouseDownOperation.prototype._onMouseDownThenMove = function (e) { this._lastMouseEvent = e; this._mouseState.setModifiers(e); var position = this._findMousePosition(e, true); if (!position) { // Ignoring because position is unknown return; } if (this._mouseState.isDragAndDrop) { this._viewController.emitMouseDrag({ event: e, target: position }); } else { this._dispatchMouse(position, true); } }; MouseDownOperation.prototype.start = function (targetType, e) { var _this = this; this._lastMouseEvent = e; this._mouseState.setStartedOnLineNumbers(targetType === 3 /* GUTTER_LINE_NUMBERS */); this._mouseState.setStartButtons(e); this._mouseState.setModifiers(e); var position = this._findMousePosition(e, true); if (!position || !position.position) { // Ignoring because position is unknown return; } this._mouseState.trySetCount(e.detail, position.position); // Overwrite the detail of the MouseEvent, as it will be sent out in an event and contributions might rely on it. e.detail = this._mouseState.count; if (!this._context.configuration.editor.readOnly && this._context.configuration.editor.dragAndDrop && !this._mouseState.altKey // we don't support multiple mouse && e.detail < 2 // only single click on a selection can work && !this._isActive // the mouse is not down yet && !this._currentSelection.isEmpty() // we don't drag single cursor && (position.type === 6 /* CONTENT_TEXT */) // single click on text && position.position && this._currentSelection.containsPosition(position.position) // single click on a selection ) { this._mouseState.isDragAndDrop = true; this._isActive = true; this._mouseMoveMonitor.startMonitoring(createMouseMoveEventMerger(null), function (e) { return _this._onMouseDownThenMove(e); }, function () { var position = _this._findMousePosition(_this._lastMouseEvent, true); _this._viewController.emitMouseDrop({ event: _this._lastMouseEvent, target: (position ? _this._createMouseTarget(_this._lastMouseEvent, true) : null) // Ignoring because position is unknown, e.g., Content View Zone }); _this._stop(); }); return; } this._mouseState.isDragAndDrop = false; this._dispatchMouse(position, e.shiftKey); if (!this._isActive) { this._isActive = true; this._mouseMoveMonitor.startMonitoring(createMouseMoveEventMerger(null), function (e) { return _this._onMouseDownThenMove(e); }, function () { return _this._stop(); }); } }; MouseDownOperation.prototype._stop = function () { this._isActive = false; this._onScrollTimeout.cancel(); }; MouseDownOperation.prototype.onScrollChanged = function () { var _this = this; if (!this._isActive) { return; } this._onScrollTimeout.setIfNotSet(function () { if (!_this._lastMouseEvent) { return; } var position = _this._findMousePosition(_this._lastMouseEvent, false); if (!position) { // Ignoring because position is unknown return; } if (_this._mouseState.isDragAndDrop) { // Ignoring because users are dragging the text return; } _this._dispatchMouse(position, true); }, 10); }; MouseDownOperation.prototype.onCursorStateChanged = function (e) { this._currentSelection = e.selections[0]; }; MouseDownOperation.prototype._getPositionOutsideEditor = function (e) { var editorContent = e.editorPos; var model = this._context.model; var viewLayout = this._context.viewLayout; var mouseColumn = this._getMouseColumn(e); if (e.posy < editorContent.y) { var verticalOffset = Math.max(viewLayout.getCurrentScrollTop() - (editorContent.y - e.posy), 0); var viewZoneData = __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["a" /* HitTestContext */].getZoneAtCoord(this._context, verticalOffset); if (viewZoneData) { var newPosition = this._helpPositionJumpOverViewZone(viewZoneData); if (newPosition) { return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](null, 13 /* OUTSIDE_EDITOR */, mouseColumn, newPosition); } } var aboveLineNumber = viewLayout.getLineNumberAtVerticalOffset(verticalOffset); return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](null, 13 /* OUTSIDE_EDITOR */, mouseColumn, new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](aboveLineNumber, 1)); } if (e.posy > editorContent.y + editorContent.height) { var verticalOffset = viewLayout.getCurrentScrollTop() + (e.posy - editorContent.y); var viewZoneData = __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["a" /* HitTestContext */].getZoneAtCoord(this._context, verticalOffset); if (viewZoneData) { var newPosition = this._helpPositionJumpOverViewZone(viewZoneData); if (newPosition) { return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](null, 13 /* OUTSIDE_EDITOR */, mouseColumn, newPosition); } } var belowLineNumber = viewLayout.getLineNumberAtVerticalOffset(verticalOffset); return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](null, 13 /* OUTSIDE_EDITOR */, mouseColumn, new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](belowLineNumber, model.getLineMaxColumn(belowLineNumber))); } var possibleLineNumber = viewLayout.getLineNumberAtVerticalOffset(viewLayout.getCurrentScrollTop() + (e.posy - editorContent.y)); if (e.posx < editorContent.x) { return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](null, 13 /* OUTSIDE_EDITOR */, mouseColumn, new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](possibleLineNumber, 1)); } if (e.posx > editorContent.x + editorContent.width) { return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](null, 13 /* OUTSIDE_EDITOR */, mouseColumn, new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](possibleLineNumber, model.getLineMaxColumn(possibleLineNumber))); } return null; }; MouseDownOperation.prototype._findMousePosition = function (e, testEventTarget) { var positionOutsideEditor = this._getPositionOutsideEditor(e); if (positionOutsideEditor) { return positionOutsideEditor; } var t = this._createMouseTarget(e, testEventTarget); var hintedPosition = t.position; if (!hintedPosition) { return null; } if (t.type === 8 /* CONTENT_VIEW_ZONE */ || t.type === 5 /* GUTTER_VIEW_ZONE */) { var newPosition = this._helpPositionJumpOverViewZone(t.detail); if (newPosition) { return new __WEBPACK_IMPORTED_MODULE_6__mouseTarget_js__["b" /* MouseTarget */](t.element, t.type, t.mouseColumn, newPosition, null, t.detail); } } return t; }; MouseDownOperation.prototype._helpPositionJumpOverViewZone = function (viewZoneData) { // Force position on view zones to go above or below depending on where selection started from var selectionStart = new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](this._currentSelection.selectionStartLineNumber, this._currentSelection.selectionStartColumn); var positionBefore = viewZoneData.positionBefore; var positionAfter = viewZoneData.positionAfter; if (positionBefore && positionAfter) { if (positionBefore.isBefore(selectionStart)) { return positionBefore; } else { return positionAfter; } } return null; }; MouseDownOperation.prototype._dispatchMouse = function (position, inSelectionMode) { if (!position.position) { return; } this._viewController.dispatchMouse({ position: position.position, mouseColumn: position.mouseColumn, startedOnLineNumbers: this._mouseState.startedOnLineNumbers, inSelectionMode: inSelectionMode, mouseDownCount: this._mouseState.count, altKey: this._mouseState.altKey, ctrlKey: this._mouseState.ctrlKey, metaKey: this._mouseState.metaKey, shiftKey: this._mouseState.shiftKey, leftButton: this._mouseState.leftButton, middleButton: this._mouseState.middleButton, }); }; return MouseDownOperation; }(__WEBPACK_IMPORTED_MODULE_4__base_common_lifecycle_js__["a" /* Disposable */])); var MouseDownState = /** @class */ (function () { function MouseDownState() { this._altKey = false; this._ctrlKey = false; this._metaKey = false; this._shiftKey = false; this._leftButton = false; this._middleButton = false; this._startedOnLineNumbers = false; this._lastMouseDownPosition = null; this._lastMouseDownPositionEqualCount = 0; this._lastMouseDownCount = 0; this._lastSetMouseDownCountTime = 0; this.isDragAndDrop = false; } Object.defineProperty(MouseDownState.prototype, "altKey", { get: function () { return this._altKey; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "ctrlKey", { get: function () { return this._ctrlKey; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "metaKey", { get: function () { return this._metaKey; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "shiftKey", { get: function () { return this._shiftKey; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "leftButton", { get: function () { return this._leftButton; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "middleButton", { get: function () { return this._middleButton; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "startedOnLineNumbers", { get: function () { return this._startedOnLineNumbers; }, enumerable: true, configurable: true }); Object.defineProperty(MouseDownState.prototype, "count", { get: function () { return this._lastMouseDownCount; }, enumerable: true, configurable: true }); MouseDownState.prototype.setModifiers = function (source) { this._altKey = source.altKey; this._ctrlKey = source.ctrlKey; this._metaKey = source.metaKey; this._shiftKey = source.shiftKey; }; MouseDownState.prototype.setStartButtons = function (source) { this._leftButton = source.leftButton; this._middleButton = source.middleButton; }; MouseDownState.prototype.setStartedOnLineNumbers = function (startedOnLineNumbers) { this._startedOnLineNumbers = startedOnLineNumbers; }; MouseDownState.prototype.trySetCount = function (setMouseDownCount, newMouseDownPosition) { // a. Invalidate multiple clicking if too much time has passed (will be hit by IE because the detail field of mouse events contains garbage in IE10) var currentTime = (new Date()).getTime(); if (currentTime - this._lastSetMouseDownCountTime > MouseDownState.CLEAR_MOUSE_DOWN_COUNT_TIME) { setMouseDownCount = 1; } this._lastSetMouseDownCountTime = currentTime; // b. Ensure that we don't jump from single click to triple click in one go (will be hit by IE because the detail field of mouse events contains garbage in IE10) if (setMouseDownCount > this._lastMouseDownCount + 1) { setMouseDownCount = this._lastMouseDownCount + 1; } // c. Invalidate multiple clicking if the logical position is different if (this._lastMouseDownPosition && this._lastMouseDownPosition.equals(newMouseDownPosition)) { this._lastMouseDownPositionEqualCount++; } else { this._lastMouseDownPositionEqualCount = 1; } this._lastMouseDownPosition = newMouseDownPosition; // Finally set the lastMouseDownCount this._lastMouseDownCount = Math.min(setMouseDownCount, this._lastMouseDownPositionEqualCount); }; MouseDownState.CLEAR_MOUSE_DOWN_COUNT_TIME = 400; // ms return MouseDownState; }()); /***/ }), /***/ 1932: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return RangeUtil; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_view_renderingContext_js__ = __webpack_require__(1399); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var FloatHorizontalRange = /** @class */ (function () { function FloatHorizontalRange(left, width) { this.left = left; this.width = width; } FloatHorizontalRange.prototype.toString = function () { return "[" + this.left + "," + this.width + "]"; }; FloatHorizontalRange.compare = function (a, b) { return a.left - b.left; }; return FloatHorizontalRange; }()); var RangeUtil = /** @class */ (function () { function RangeUtil() { } RangeUtil._createRange = function () { if (!this._handyReadyRange) { this._handyReadyRange = document.createRange(); } return this._handyReadyRange; }; RangeUtil._detachRange = function (range, endNode) { // Move range out of the span node, IE doesn't like having many ranges in // the same spot and will act badly for lines containing dashes ('-') range.selectNodeContents(endNode); }; RangeUtil._readClientRects = function (startElement, startOffset, endElement, endOffset, endNode) { var range = this._createRange(); try { range.setStart(startElement, startOffset); range.setEnd(endElement, endOffset); return range.getClientRects(); } catch (e) { // This is life ... return null; } finally { this._detachRange(range, endNode); } }; RangeUtil._mergeAdjacentRanges = function (ranges) { if (ranges.length === 1) { // There is nothing to merge return [new __WEBPACK_IMPORTED_MODULE_0__common_view_renderingContext_js__["a" /* HorizontalRange */](ranges[0].left, ranges[0].width)]; } ranges.sort(FloatHorizontalRange.compare); var result = [], resultLen = 0; var prevLeft = ranges[0].left; var prevWidth = ranges[0].width; for (var i = 1, len = ranges.length; i < len; i++) { var range = ranges[i]; var myLeft = range.left; var myWidth = range.width; if (prevLeft + prevWidth + 0.9 /* account for browser's rounding errors*/ >= myLeft) { prevWidth = Math.max(prevWidth, myLeft + myWidth - prevLeft); } else { result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_0__common_view_renderingContext_js__["a" /* HorizontalRange */](prevLeft, prevWidth); prevLeft = myLeft; prevWidth = myWidth; } } result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_0__common_view_renderingContext_js__["a" /* HorizontalRange */](prevLeft, prevWidth); return result; }; RangeUtil._createHorizontalRangesFromClientRects = function (clientRects, clientRectDeltaLeft) { if (!clientRects || clientRects.length === 0) { return null; } // We go through FloatHorizontalRange because it has been observed in bi-di text // that the clientRects are not coming in sorted from the browser var result = []; for (var i = 0, len = clientRects.length; i < len; i++) { var clientRect = clientRects[i]; result[i] = new FloatHorizontalRange(Math.max(0, clientRect.left - clientRectDeltaLeft), clientRect.width); } return this._mergeAdjacentRanges(result); }; RangeUtil.readHorizontalRanges = function (domNode, startChildIndex, startOffset, endChildIndex, endOffset, clientRectDeltaLeft, endNode) { // Panic check var min = 0; var max = domNode.children.length - 1; if (min > max) { return null; } startChildIndex = Math.min(max, Math.max(min, startChildIndex)); endChildIndex = Math.min(max, Math.max(min, endChildIndex)); // If crossing over to a span only to select offset 0, then use the previous span's maximum offset // Chrome is buggy and doesn't handle 0 offsets well sometimes. if (startChildIndex !== endChildIndex) { if (endChildIndex > 0 && endOffset === 0) { endChildIndex--; endOffset = Number.MAX_VALUE; } } var startElement = domNode.children[startChildIndex].firstChild; var endElement = domNode.children[endChildIndex].firstChild; if (!startElement || !endElement) { // When having an empty <span> (without any text content), try to move to the previous <span> if (!startElement && startOffset === 0 && startChildIndex > 0) { startElement = domNode.children[startChildIndex - 1].firstChild; startOffset = 1073741824 /* MAX_SAFE_SMALL_INTEGER */; } if (!endElement && endOffset === 0 && endChildIndex > 0) { endElement = domNode.children[endChildIndex - 1].firstChild; endOffset = 1073741824 /* MAX_SAFE_SMALL_INTEGER */; } } if (!startElement || !endElement) { return null; } startOffset = Math.min(startElement.textContent.length, Math.max(0, startOffset)); endOffset = Math.min(endElement.textContent.length, Math.max(0, endOffset)); var clientRects = this._readClientRects(startElement, startOffset, endElement, endOffset, endNode); return this._createHorizontalRangesFromClientRects(clientRects, clientRectDeltaLeft); }; return RangeUtil; }()); /***/ }), /***/ 1933: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return TextAreaHandler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__textAreaHandler_css__ = __webpack_require__(1934); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__textAreaHandler_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__textAreaHandler_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__textAreaInput_js__ = __webpack_require__(1936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__ = __webpack_require__(1699); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__viewParts_lineNumbers_lineNumbers_js__ = __webpack_require__(1700); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__viewParts_margin_margin_js__ = __webpack_require__(1701); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_controller_wordCharacterClassifier_js__ = __webpack_require__(1450); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_view_viewEvents_js__ = __webpack_require__(1359); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var VisibleTextAreaData = /** @class */ (function () { function VisibleTextAreaData(top, left, width) { this.top = top; this.left = left; this.width = width; } VisibleTextAreaData.prototype.setWidth = function (width) { return new VisibleTextAreaData(this.top, this.left, width); }; return VisibleTextAreaData; }()); var canUseZeroSizeTextarea = (__WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["g" /* isEdgeOrIE */] || __WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["i" /* isFirefox */]); /** * Every time we write to the clipboard, we record a bit of extra metadata here. * Every time we read from the cipboard, if the text matches our last written text, * we can fetch the previous metadata. */ var LocalClipboardMetadataManager = /** @class */ (function () { function LocalClipboardMetadataManager() { this._lastState = null; } LocalClipboardMetadataManager.prototype.set = function (state) { this._lastState = state; }; LocalClipboardMetadataManager.prototype.get = function (pastedText) { if (this._lastState && this._lastState.lastCopiedValue === pastedText) { // match! return this._lastState; } this._lastState = null; return null; }; LocalClipboardMetadataManager.INSTANCE = new LocalClipboardMetadataManager(); return LocalClipboardMetadataManager; }()); var TextAreaHandler = /** @class */ (function (_super) { __extends(TextAreaHandler, _super); function TextAreaHandler(context, viewController, viewHelper) { var _this = _super.call(this, context) || this; // --- end view API _this._primaryCursorVisibleRange = null; _this._viewController = viewController; _this._viewHelper = viewHelper; var conf = _this._context.configuration.editor; _this._accessibilitySupport = conf.accessibilitySupport; _this._contentLeft = conf.layoutInfo.contentLeft; _this._contentWidth = conf.layoutInfo.contentWidth; _this._contentHeight = conf.layoutInfo.contentHeight; _this._scrollLeft = 0; _this._scrollTop = 0; _this._fontInfo = conf.fontInfo; _this._lineHeight = conf.lineHeight; _this._emptySelectionClipboard = conf.emptySelectionClipboard; _this._copyWithSyntaxHighlighting = conf.copyWithSyntaxHighlighting; _this._visibleTextArea = null; _this._selections = [new __WEBPACK_IMPORTED_MODULE_14__common_core_selection_js__["a" /* Selection */](1, 1, 1, 1)]; // Text Area (The focus will always be in the textarea when the cursor is blinking) _this.textArea = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('textarea')); __WEBPACK_IMPORTED_MODULE_8__view_viewPart_js__["a" /* PartFingerprints */].write(_this.textArea, 6 /* TextArea */); _this.textArea.setClassName('inputarea'); _this.textArea.setAttribute('wrap', 'off'); _this.textArea.setAttribute('autocorrect', 'off'); _this.textArea.setAttribute('autocapitalize', 'off'); _this.textArea.setAttribute('autocomplete', 'off'); _this.textArea.setAttribute('spellcheck', 'false'); _this.textArea.setAttribute('aria-label', conf.viewInfo.ariaLabel); _this.textArea.setAttribute('role', 'textbox'); _this.textArea.setAttribute('aria-multiline', 'true'); _this.textArea.setAttribute('aria-haspopup', 'false'); _this.textArea.setAttribute('aria-autocomplete', 'both'); _this.textAreaCover = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.textAreaCover.setPosition('absolute'); var simpleModel = { getLineCount: function () { return _this._context.model.getLineCount(); }, getLineMaxColumn: function (lineNumber) { return _this._context.model.getLineMaxColumn(lineNumber); }, getValueInRange: function (range, eol) { return _this._context.model.getValueInRange(range, eol); } }; var textAreaInputHost = { getPlainTextToCopy: function () { var rawWhatToCopy = _this._context.model.getPlainTextToCopy(_this._selections, _this._emptySelectionClipboard, __WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["g" /* isWindows */]); var newLineCharacter = _this._context.model.getEOL(); var isFromEmptySelection = (_this._emptySelectionClipboard && _this._selections.length === 1 && _this._selections[0].isEmpty()); var multicursorText = (Array.isArray(rawWhatToCopy) ? rawWhatToCopy : null); var whatToCopy = (Array.isArray(rawWhatToCopy) ? rawWhatToCopy.join(newLineCharacter) : rawWhatToCopy); var metadata = null; if (isFromEmptySelection || multicursorText) { // Only store the non-default metadata // When writing "LINE\r\n" to the clipboard and then pasting, // Firefox pastes "LINE\n", so let's work around this quirk var lastCopiedValue = (__WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["i" /* isFirefox */] ? whatToCopy.replace(/\r\n/g, '\n') : whatToCopy); metadata = { lastCopiedValue: lastCopiedValue, isFromEmptySelection: (_this._emptySelectionClipboard && _this._selections.length === 1 && _this._selections[0].isEmpty()), multicursorText: multicursorText }; } LocalClipboardMetadataManager.INSTANCE.set(metadata); return whatToCopy; }, getHTMLToCopy: function () { if (!_this._copyWithSyntaxHighlighting && !__WEBPACK_IMPORTED_MODULE_6__textAreaInput_js__["a" /* CopyOptions */].forceCopyWithSyntaxHighlighting) { return null; } return _this._context.model.getHTMLToCopy(_this._selections, _this._emptySelectionClipboard); }, getScreenReaderContent: function (currentState) { if (__WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["k" /* isIPad */]) { // Do not place anything in the textarea for the iPad return __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].EMPTY; } if (_this._accessibilitySupport === 1 /* Disabled */) { // We know for a fact that a screen reader is not attached // On OSX, we write the character before the cursor to allow for "long-press" composition // Also on OSX, we write the word before the cursor to allow for the Accessibility Keyboard to give good hints if (__WEBPACK_IMPORTED_MODULE_3__base_common_platform_js__["d" /* isMacintosh */]) { var selection = _this._selections[0]; if (selection.isEmpty()) { var position = selection.getStartPosition(); var textBefore = _this._getWordBeforePosition(position); if (textBefore.length === 0) { textBefore = _this._getCharacterBeforePosition(position); } if (textBefore.length > 0) { return new __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */](textBefore, textBefore.length, textBefore.length, position, position); } } } return __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].EMPTY; } return __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["a" /* PagedScreenReaderStrategy */].fromEditorSelection(currentState, simpleModel, _this._selections[0], _this._accessibilitySupport === 0 /* Unknown */); }, deduceModelPosition: function (viewAnchorPosition, deltaOffset, lineFeedCnt) { return _this._context.model.deduceModelPositionRelativeToViewPosition(viewAnchorPosition, deltaOffset, lineFeedCnt); } }; _this._textAreaInput = _this._register(new __WEBPACK_IMPORTED_MODULE_6__textAreaInput_js__["b" /* TextAreaInput */](textAreaInputHost, _this.textArea)); _this._register(_this._textAreaInput.onKeyDown(function (e) { _this._viewController.emitKeyDown(e); })); _this._register(_this._textAreaInput.onKeyUp(function (e) { _this._viewController.emitKeyUp(e); })); _this._register(_this._textAreaInput.onPaste(function (e) { var metadata = LocalClipboardMetadataManager.INSTANCE.get(e.text); var pasteOnNewLine = false; var multicursorText = null; if (metadata) { pasteOnNewLine = (_this._emptySelectionClipboard && metadata.isFromEmptySelection); multicursorText = metadata.multicursorText; } _this._viewController.paste('keyboard', e.text, pasteOnNewLine, multicursorText); })); _this._register(_this._textAreaInput.onCut(function () { _this._viewController.cut('keyboard'); })); _this._register(_this._textAreaInput.onType(function (e) { if (e.replaceCharCnt) { _this._viewController.replacePreviousChar('keyboard', e.text, e.replaceCharCnt); } else { _this._viewController.type('keyboard', e.text); } })); _this._register(_this._textAreaInput.onSelectionChangeRequest(function (modelSelection) { _this._viewController.setSelection('keyboard', modelSelection); })); _this._register(_this._textAreaInput.onCompositionStart(function () { var lineNumber = _this._selections[0].startLineNumber; var column = _this._selections[0].startColumn; _this._context.privateViewEventBus.emit(new __WEBPACK_IMPORTED_MODULE_15__common_view_viewEvents_js__["l" /* ViewRevealRangeRequestEvent */](new __WEBPACK_IMPORTED_MODULE_13__common_core_range_js__["a" /* Range */](lineNumber, column, lineNumber, column), 0 /* Simple */, true, 1 /* Immediate */)); // Find range pixel position var visibleRange = _this._viewHelper.visibleRangeForPositionRelativeToEditor(lineNumber, column); if (visibleRange) { _this._visibleTextArea = new VisibleTextAreaData(_this._context.viewLayout.getVerticalOffsetForLineNumber(lineNumber), visibleRange.left, canUseZeroSizeTextarea ? 0 : 1); _this._render(); } // Show the textarea _this.textArea.setClassName('inputarea ime-input'); _this._viewController.compositionStart('keyboard'); })); _this._register(_this._textAreaInput.onCompositionUpdate(function (e) { if (__WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["g" /* isEdgeOrIE */]) { // Due to isEdgeOrIE (where the textarea was not cleared initially) // we cannot assume the text consists only of the composited text _this._visibleTextArea = _this._visibleTextArea.setWidth(0); } else { // adjust width by its size _this._visibleTextArea = _this._visibleTextArea.setWidth(measureText(e.data, _this._fontInfo)); } _this._render(); })); _this._register(_this._textAreaInput.onCompositionEnd(function () { _this._visibleTextArea = null; _this._render(); _this.textArea.setClassName('inputarea'); _this._viewController.compositionEnd('keyboard'); })); _this._register(_this._textAreaInput.onFocus(function () { _this._context.privateViewEventBus.emit(new __WEBPACK_IMPORTED_MODULE_15__common_view_viewEvents_js__["f" /* ViewFocusChangedEvent */](true)); })); _this._register(_this._textAreaInput.onBlur(function () { _this._context.privateViewEventBus.emit(new __WEBPACK_IMPORTED_MODULE_15__common_view_viewEvents_js__["f" /* ViewFocusChangedEvent */](false)); })); return _this; } TextAreaHandler.prototype.dispose = function () { _super.prototype.dispose.call(this); }; TextAreaHandler.prototype._getWordBeforePosition = function (position) { var lineContent = this._context.model.getLineContent(position.lineNumber); var wordSeparators = Object(__WEBPACK_IMPORTED_MODULE_11__common_controller_wordCharacterClassifier_js__["a" /* getMapForWordSeparators */])(this._context.configuration.editor.wordSeparators); var column = position.column; var distance = 0; while (column > 1) { var charCode = lineContent.charCodeAt(column - 2); var charClass = wordSeparators.get(charCode); if (charClass !== 0 /* Regular */ || distance > 50) { return lineContent.substring(column - 1, position.column - 1); } distance++; column--; } return lineContent.substring(0, position.column - 1); }; TextAreaHandler.prototype._getCharacterBeforePosition = function (position) { if (position.column > 1) { var lineContent = this._context.model.getLineContent(position.lineNumber); var charBefore = lineContent.charAt(position.column - 2); if (!__WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["t" /* isHighSurrogate */](charBefore.charCodeAt(0))) { return charBefore; } } return ''; }; // --- begin event handlers TextAreaHandler.prototype.onConfigurationChanged = function (e) { var conf = this._context.configuration.editor; if (e.fontInfo) { this._fontInfo = conf.fontInfo; } if (e.viewInfo) { this.textArea.setAttribute('aria-label', conf.viewInfo.ariaLabel); } if (e.layoutInfo) { this._contentLeft = conf.layoutInfo.contentLeft; this._contentWidth = conf.layoutInfo.contentWidth; this._contentHeight = conf.layoutInfo.contentHeight; } if (e.lineHeight) { this._lineHeight = conf.lineHeight; } if (e.accessibilitySupport) { this._accessibilitySupport = conf.accessibilitySupport; this._textAreaInput.writeScreenReaderContent('strategy changed'); } if (e.emptySelectionClipboard) { this._emptySelectionClipboard = conf.emptySelectionClipboard; } if (e.copyWithSyntaxHighlighting) { this._copyWithSyntaxHighlighting = conf.copyWithSyntaxHighlighting; } return true; }; TextAreaHandler.prototype.onCursorStateChanged = function (e) { this._selections = e.selections.slice(0); this._textAreaInput.writeScreenReaderContent('selection changed'); return true; }; TextAreaHandler.prototype.onDecorationsChanged = function (e) { // true for inline decorations that can end up relayouting text return true; }; TextAreaHandler.prototype.onFlushed = function (e) { return true; }; TextAreaHandler.prototype.onLinesChanged = function (e) { return true; }; TextAreaHandler.prototype.onLinesDeleted = function (e) { return true; }; TextAreaHandler.prototype.onLinesInserted = function (e) { return true; }; TextAreaHandler.prototype.onScrollChanged = function (e) { this._scrollLeft = e.scrollLeft; this._scrollTop = e.scrollTop; return true; }; TextAreaHandler.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers // --- begin view API TextAreaHandler.prototype.isFocused = function () { return this._textAreaInput.isFocused(); }; TextAreaHandler.prototype.focusTextArea = function () { this._textAreaInput.focusTextArea(); }; TextAreaHandler.prototype.prepareRender = function (ctx) { if (this._accessibilitySupport === 2 /* Enabled */) { // Do not move the textarea with the cursor, as this generates accessibility events that might confuse screen readers // See https://github.com/Microsoft/vscode/issues/26730 this._primaryCursorVisibleRange = null; } else { var primaryCursorPosition = new __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__["a" /* Position */](this._selections[0].positionLineNumber, this._selections[0].positionColumn); this._primaryCursorVisibleRange = ctx.visibleRangeForPosition(primaryCursorPosition); } }; TextAreaHandler.prototype.render = function (ctx) { this._textAreaInput.writeScreenReaderContent('render'); this._render(); }; TextAreaHandler.prototype._render = function () { if (this._visibleTextArea) { // The text area is visible for composition reasons this._renderInsideEditor(this._visibleTextArea.top - this._scrollTop, this._contentLeft + this._visibleTextArea.left - this._scrollLeft, this._visibleTextArea.width, this._lineHeight, true); return; } if (!this._primaryCursorVisibleRange) { // The primary cursor is outside the viewport => place textarea to the top left this._renderAtTopLeft(); return; } var left = this._contentLeft + this._primaryCursorVisibleRange.left - this._scrollLeft; if (left < this._contentLeft || left > this._contentLeft + this._contentWidth) { // cursor is outside the viewport this._renderAtTopLeft(); return; } var top = this._context.viewLayout.getVerticalOffsetForLineNumber(this._selections[0].positionLineNumber) - this._scrollTop; if (top < 0 || top > this._contentHeight) { // cursor is outside the viewport this._renderAtTopLeft(); return; } // The primary cursor is in the viewport (at least vertically) => place textarea on the cursor this._renderInsideEditor(top, left, canUseZeroSizeTextarea ? 0 : 1, canUseZeroSizeTextarea ? 0 : 1, false); }; TextAreaHandler.prototype._renderInsideEditor = function (top, left, width, height, useEditorFont) { var ta = this.textArea; var tac = this.textAreaCover; if (useEditorFont) { __WEBPACK_IMPORTED_MODULE_5__config_configuration_js__["a" /* Configuration */].applyFontInfo(ta, this._fontInfo); } else { ta.setFontSize(1); ta.setLineHeight(this._fontInfo.lineHeight); } ta.setTop(top); ta.setLeft(left); ta.setWidth(width); ta.setHeight(height); tac.setTop(0); tac.setLeft(0); tac.setWidth(0); tac.setHeight(0); }; TextAreaHandler.prototype._renderAtTopLeft = function () { var ta = this.textArea; var tac = this.textAreaCover; __WEBPACK_IMPORTED_MODULE_5__config_configuration_js__["a" /* Configuration */].applyFontInfo(ta, this._fontInfo); ta.setTop(0); ta.setLeft(0); tac.setTop(0); tac.setLeft(0); if (canUseZeroSizeTextarea) { ta.setWidth(0); ta.setHeight(0); tac.setWidth(0); tac.setHeight(0); return; } // (in WebKit the textarea is 1px by 1px because it cannot handle input to a 0x0 textarea) // specifically, when doing Korean IME, setting the textare to 0x0 breaks IME badly. ta.setWidth(1); ta.setHeight(1); tac.setWidth(1); tac.setHeight(1); if (this._context.configuration.editor.viewInfo.glyphMargin) { tac.setClassName('monaco-editor-background textAreaCover ' + __WEBPACK_IMPORTED_MODULE_10__viewParts_margin_margin_js__["a" /* Margin */].OUTER_CLASS_NAME); } else { if (this._context.configuration.editor.viewInfo.renderLineNumbers !== 0 /* Off */) { tac.setClassName('monaco-editor-background textAreaCover ' + __WEBPACK_IMPORTED_MODULE_9__viewParts_lineNumbers_lineNumbers_js__["a" /* LineNumbersOverlay */].CLASS_NAME); } else { tac.setClassName('monaco-editor-background textAreaCover'); } } }; return TextAreaHandler; }(__WEBPACK_IMPORTED_MODULE_8__view_viewPart_js__["b" /* ViewPart */])); function measureText(text, fontInfo) { // adjust width by its size var canvasElem = document.createElement('canvas'); var context = canvasElem.getContext('2d'); context.font = createFontString(fontInfo); var metrics = context.measureText(text); if (__WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["i" /* isFirefox */]) { return metrics.width + 2; // +2 for Japanese... } else { return metrics.width; } } function createFontString(bareFontInfo) { return doCreateFontString('normal', bareFontInfo.fontWeight, bareFontInfo.fontSize, bareFontInfo.lineHeight, bareFontInfo.fontFamily); } function doCreateFontString(fontStyle, fontWeight, fontSize, lineHeight, fontFamily) { // The full font syntax is: // style | variant | weight | stretch | size/line-height | fontFamily // (https://developer.mozilla.org/en-US/docs/Web/CSS/font) // But it appears Edge and IE11 cannot properly parse `stretch`. return fontStyle + " normal " + fontWeight + " " + fontSize + "px / " + lineHeight + "px " + fontFamily; } /***/ }), /***/ 1934: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1935); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1935: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .inputarea{min-width:0;min-height:0;margin:0;padding:0;position:absolute;outline:none!important;resize:none;border:none;overflow:hidden;color:transparent;background-color:transparent}.monaco-editor .inputarea.ime-input{z-index:10}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/controller/textAreaHandler.css"],"names":[],"mappings":"AAKA,0BACC,YAAa,AACb,aAAc,AACd,SAAU,AACV,UAAW,AACX,kBAAmB,AACnB,uBAAyB,AACzB,YAAa,AACb,YAAa,AACb,gBAAiB,AACjB,kBAAmB,AACnB,4BAA8B,CAC9B,AAcD,oCACC,UAAY,CACZ","file":"textAreaHandler.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .inputarea {\n\tmin-width: 0;\n\tmin-height: 0;\n\tmargin: 0;\n\tpadding: 0;\n\tposition: absolute;\n\toutline: none !important;\n\tresize: none;\n\tborder: none;\n\toverflow: hidden;\n\tcolor: transparent;\n\tbackground-color: transparent;\n}\n/*.monaco-editor .inputarea {\n\tposition: fixed !important;\n\twidth: 800px !important;\n\theight: 500px !important;\n\ttop: initial !important;\n\tleft: initial !important;\n\tbottom: 0 !important;\n\tright: 0 !important;\n\tcolor: black !important;\n\tbackground: white !important;\n\tline-height: 15px !important;\n\tfont-size: 14px !important;\n}*/\n.monaco-editor .inputarea.ime-input {\n\tz-index: 10;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1936: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CopyOptions; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return TextAreaInput; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__ = __webpack_require__(1699); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_core_selection_js__ = __webpack_require__(1148); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var CopyOptions = { forceCopyWithSyntaxHighlighting: false }; /** * Writes screen reader content to the textarea and is able to analyze its input events to generate: * - onCut * - onPaste * - onType * * Composition events are generated for presentation purposes (composition input is reflected in onType). */ var TextAreaInput = /** @class */ (function (_super) { __extends(TextAreaInput, _super); function TextAreaInput(host, textArea) { var _this = _super.call(this) || this; _this._onFocus = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onFocus = _this._onFocus.event; _this._onBlur = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onBlur = _this._onBlur.event; _this._onKeyDown = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onKeyDown = _this._onKeyDown.event; _this._onKeyUp = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onKeyUp = _this._onKeyUp.event; _this._onCut = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onCut = _this._onCut.event; _this._onPaste = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onPaste = _this._onPaste.event; _this._onType = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onType = _this._onType.event; _this._onCompositionStart = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onCompositionStart = _this._onCompositionStart.event; _this._onCompositionUpdate = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onCompositionUpdate = _this._onCompositionUpdate.event; _this._onCompositionEnd = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onCompositionEnd = _this._onCompositionEnd.event; _this._onSelectionChangeRequest = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.onSelectionChangeRequest = _this._onSelectionChangeRequest.event; _this._host = host; _this._textArea = _this._register(new TextAreaWrapper(textArea)); _this._lastTextAreaEvent = 0 /* none */; _this._asyncTriggerCut = _this._register(new __WEBPACK_IMPORTED_MODULE_2__base_common_async_js__["c" /* RunOnceScheduler */](function () { return _this._onCut.fire(); }, 0)); _this._textAreaState = __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].EMPTY; _this.writeScreenReaderContent('ctor'); _this._hasFocus = false; _this._isDoingComposition = false; _this._nextCommand = 0 /* Type */; _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["j" /* addStandardDisposableListener */](textArea.domNode, 'keydown', function (e) { if (_this._isDoingComposition && (e.keyCode === 109 /* KEY_IN_COMPOSITION */ || e.keyCode === 1 /* Backspace */)) { // Stop propagation for keyDown events if the IME is processing key input e.stopPropagation(); } if (e.equals(9 /* Escape */)) { // Prevent default always for `Esc`, otherwise it will generate a keypress // See https://msdn.microsoft.com/en-us/library/ie/ms536939(v=vs.85).aspx e.preventDefault(); } _this._onKeyDown.fire(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["j" /* addStandardDisposableListener */](textArea.domNode, 'keyup', function (e) { _this._onKeyUp.fire(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'compositionstart', function (e) { _this._lastTextAreaEvent = 1 /* compositionstart */; if (_this._isDoingComposition) { return; } _this._isDoingComposition = true; // In IE we cannot set .value when handling 'compositionstart' because the entire composition will get canceled. if (!__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["g" /* isEdgeOrIE */]) { _this._setAndWriteTextAreaState('compositionstart', __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].EMPTY); } _this._onCompositionStart.fire(); })); /** * Deduce the typed input from a text area's value and the last observed state. */ var deduceInputFromTextAreaValue = function (couldBeEmojiInput, couldBeTypingAtOffset0) { var oldState = _this._textAreaState; var newState = __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].readFromTextArea(_this._textArea); return [newState, __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].deduceInput(oldState, newState, couldBeEmojiInput, couldBeTypingAtOffset0)]; }; /** * Deduce the composition input from a string. */ var deduceComposition = function (text) { var oldState = _this._textAreaState; var newState = __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].selectedText(text); var typeInput = { text: newState.value, replaceCharCnt: oldState.selectionEnd - oldState.selectionStart }; return [newState, typeInput]; }; var compositionDataInValid = function (locale) { // https://github.com/Microsoft/monaco-editor/issues/339 // Multi-part Japanese compositions reset cursor in Edge/IE, Chinese and Korean IME don't have this issue. // The reason that we can't use this path for all CJK IME is IE and Edge behave differently when handling Korean IME, // which breaks this path of code. if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["g" /* isEdgeOrIE */] && locale === 'ja') { return true; } // https://github.com/Microsoft/monaco-editor/issues/545 // On IE11, we can't trust composition data when typing Chinese as IE11 doesn't emit correct // events when users type numbers in IME. // Chinese: zh-Hans-CN, zh-Hans-SG, zh-Hant-TW, zh-Hant-HK if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["j" /* isIE */] && locale.indexOf('zh-Han') === 0) { return true; } return false; }; _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'compositionupdate', function (e) { _this._lastTextAreaEvent = 2 /* compositionupdate */; if (compositionDataInValid(e.locale)) { var _a = deduceInputFromTextAreaValue(/*couldBeEmojiInput*/ false, /*couldBeTypingAtOffset0*/ false), newState_1 = _a[0], typeInput_1 = _a[1]; _this._textAreaState = newState_1; _this._onType.fire(typeInput_1); _this._onCompositionUpdate.fire(e); return; } var _b = deduceComposition(e.data), newState = _b[0], typeInput = _b[1]; _this._textAreaState = newState; _this._onType.fire(typeInput); _this._onCompositionUpdate.fire(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'compositionend', function (e) { _this._lastTextAreaEvent = 3 /* compositionend */; if (compositionDataInValid(e.locale)) { // https://github.com/Microsoft/monaco-editor/issues/339 var _a = deduceInputFromTextAreaValue(/*couldBeEmojiInput*/ false, /*couldBeTypingAtOffset0*/ false), newState = _a[0], typeInput = _a[1]; _this._textAreaState = newState; _this._onType.fire(typeInput); } else { var _b = deduceComposition(e.data), newState = _b[0], typeInput = _b[1]; _this._textAreaState = newState; _this._onType.fire(typeInput); } // Due to isEdgeOrIE (where the textarea was not cleared initially) and isChrome (the textarea is not updated correctly when composition ends) // we cannot assume the text at the end consists only of the composited text if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["g" /* isEdgeOrIE */] || __WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["e" /* isChrome */]) { _this._textAreaState = __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].readFromTextArea(_this._textArea); } if (!_this._isDoingComposition) { return; } _this._isDoingComposition = false; _this._onCompositionEnd.fire(); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'input', function () { // We want to find out if this is the first `input` after a `focus`. var previousEventWasFocus = (_this._lastTextAreaEvent === 8 /* focus */); _this._lastTextAreaEvent = 4 /* input */; // Pretend here we touched the text area, as the `input` event will most likely // result in a `selectionchange` event which we want to ignore _this._textArea.setIgnoreSelectionChangeTime('received input event'); if (_this._isDoingComposition) { return; } var _a = deduceInputFromTextAreaValue(/*couldBeEmojiInput*/ __WEBPACK_IMPORTED_MODULE_5__base_common_platform_js__["d" /* isMacintosh */], /*couldBeTypingAtOffset0*/ previousEventWasFocus && __WEBPACK_IMPORTED_MODULE_5__base_common_platform_js__["d" /* isMacintosh */]), newState = _a[0], typeInput = _a[1]; if (typeInput.replaceCharCnt === 0 && typeInput.text.length === 1 && __WEBPACK_IMPORTED_MODULE_6__base_common_strings_js__["t" /* isHighSurrogate */](typeInput.text.charCodeAt(0))) { // Ignore invalid input but keep it around for next time return; } _this._textAreaState = newState; if (_this._nextCommand === 0 /* Type */) { if (typeInput.text !== '') { _this._onType.fire(typeInput); } } else { if (typeInput.text !== '') { _this._onPaste.fire({ text: typeInput.text }); } _this._nextCommand = 0 /* Type */; } })); // --- Clipboard operations _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'cut', function (e) { _this._lastTextAreaEvent = 5 /* cut */; // Pretend here we touched the text area, as the `cut` event will most likely // result in a `selectionchange` event which we want to ignore _this._textArea.setIgnoreSelectionChangeTime('received cut event'); _this._ensureClipboardGetsEditorSelection(e); _this._asyncTriggerCut.schedule(); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'copy', function (e) { _this._lastTextAreaEvent = 6 /* copy */; _this._ensureClipboardGetsEditorSelection(e); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'paste', function (e) { _this._lastTextAreaEvent = 7 /* paste */; // Pretend here we touched the text area, as the `paste` event will most likely // result in a `selectionchange` event which we want to ignore _this._textArea.setIgnoreSelectionChangeTime('received paste event'); if (ClipboardEventUtils.canUseTextData(e)) { var pastePlainText = ClipboardEventUtils.getTextData(e); if (pastePlainText !== '') { _this._onPaste.fire({ text: pastePlainText }); } } else { if (_this._textArea.getSelectionStart() !== _this._textArea.getSelectionEnd()) { // Clean up the textarea, to get a clean paste _this._setAndWriteTextAreaState('paste', __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].EMPTY); } _this._nextCommand = 1 /* Paste */; } })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'focus', function () { _this._lastTextAreaEvent = 8 /* focus */; _this._setHasFocus(true); })); _this._register(__WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](textArea.domNode, 'blur', function () { _this._lastTextAreaEvent = 9 /* blur */; _this._setHasFocus(false); })); return _this; } TextAreaInput.prototype._installSelectionChangeListener = function () { // See https://github.com/Microsoft/vscode/issues/27216 // When using a Braille display, it is possible for users to reposition the // system caret. This is reflected in Chrome as a `selectionchange` event. // // The `selectionchange` event appears to be emitted under numerous other circumstances, // so it is quite a challenge to distinguish a `selectionchange` coming in from a user // using a Braille display from all the other cases. // // The problems with the `selectionchange` event are: // * the event is emitted when the textarea is focused programmatically -- textarea.focus() // * the event is emitted when the selection is changed in the textarea programatically -- textarea.setSelectionRange(...) // * the event is emitted when the value of the textarea is changed programmatically -- textarea.value = '...' // * the event is emitted when tabbing into the textarea // * the event is emitted asynchronously (sometimes with a delay as high as a few tens of ms) // * the event sometimes comes in bursts for a single logical textarea operation var _this = this; // `selectionchange` events often come multiple times for a single logical change // so throttle multiple `selectionchange` events that burst in a short period of time. var previousSelectionChangeEventTime = 0; return __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["g" /* addDisposableListener */](document, 'selectionchange', function (e) { if (!_this._hasFocus) { return; } if (_this._isDoingComposition) { return; } if (!__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["e" /* isChrome */] || !__WEBPACK_IMPORTED_MODULE_5__base_common_platform_js__["g" /* isWindows */]) { // Support only for Chrome on Windows until testing happens on other browsers + OS configurations return; } var now = Date.now(); var delta1 = now - previousSelectionChangeEventTime; previousSelectionChangeEventTime = now; if (delta1 < 5) { // received another `selectionchange` event within 5ms of the previous `selectionchange` event // => ignore it return; } var delta2 = now - _this._textArea.getIgnoreSelectionChangeTime(); _this._textArea.resetSelectionChangeTime(); if (delta2 < 100) { // received a `selectionchange` event within 100ms since we touched the textarea // => ignore it, since we caused it return; } if (!_this._textAreaState.selectionStartPosition || !_this._textAreaState.selectionEndPosition) { // Cannot correlate a position in the textarea with a position in the editor... return; } var newValue = _this._textArea.getValue(); if (_this._textAreaState.value !== newValue) { // Cannot correlate a position in the textarea with a position in the editor... return; } var newSelectionStart = _this._textArea.getSelectionStart(); var newSelectionEnd = _this._textArea.getSelectionEnd(); if (_this._textAreaState.selectionStart === newSelectionStart && _this._textAreaState.selectionEnd === newSelectionEnd) { // Nothing to do... return; } var _newSelectionStartPosition = _this._textAreaState.deduceEditorPosition(newSelectionStart); var newSelectionStartPosition = _this._host.deduceModelPosition(_newSelectionStartPosition[0], _newSelectionStartPosition[1], _newSelectionStartPosition[2]); var _newSelectionEndPosition = _this._textAreaState.deduceEditorPosition(newSelectionEnd); var newSelectionEndPosition = _this._host.deduceModelPosition(_newSelectionEndPosition[0], _newSelectionEndPosition[1], _newSelectionEndPosition[2]); var newSelection = new __WEBPACK_IMPORTED_MODULE_8__common_core_selection_js__["a" /* Selection */](newSelectionStartPosition.lineNumber, newSelectionStartPosition.column, newSelectionEndPosition.lineNumber, newSelectionEndPosition.column); _this._onSelectionChangeRequest.fire(newSelection); }); }; TextAreaInput.prototype.dispose = function () { _super.prototype.dispose.call(this); if (this._selectionChangeListener) { this._selectionChangeListener.dispose(); this._selectionChangeListener = null; } }; TextAreaInput.prototype.focusTextArea = function () { // Setting this._hasFocus and writing the screen reader content // will result in a focus() and setSelectionRange() in the textarea this._setHasFocus(true); }; TextAreaInput.prototype.isFocused = function () { return this._hasFocus; }; TextAreaInput.prototype._setHasFocus = function (newHasFocus) { if (this._hasFocus === newHasFocus) { // no change return; } this._hasFocus = newHasFocus; if (this._selectionChangeListener) { this._selectionChangeListener.dispose(); this._selectionChangeListener = null; } if (this._hasFocus) { this._selectionChangeListener = this._installSelectionChangeListener(); } if (this._hasFocus) { if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["f" /* isEdge */]) { // Edge has a bug where setting the selection range while the focus event // is dispatching doesn't work. To reproduce, "tab into" the editor. this._setAndWriteTextAreaState('focusgain', __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].EMPTY); } else { this.writeScreenReaderContent('focusgain'); } } if (this._hasFocus) { this._onFocus.fire(); } else { this._onBlur.fire(); } }; TextAreaInput.prototype._setAndWriteTextAreaState = function (reason, textAreaState) { if (!this._hasFocus) { textAreaState = textAreaState.collapseSelection(); } textAreaState.writeToTextArea(reason, this._textArea, this._hasFocus); this._textAreaState = textAreaState; }; TextAreaInput.prototype.writeScreenReaderContent = function (reason) { if (this._isDoingComposition) { // Do not write to the text area when doing composition return; } this._setAndWriteTextAreaState(reason, this._host.getScreenReaderContent(this._textAreaState)); }; TextAreaInput.prototype._ensureClipboardGetsEditorSelection = function (e) { var copyPlainText = this._host.getPlainTextToCopy(); if (!ClipboardEventUtils.canUseTextData(e)) { // Looks like an old browser. The strategy is to place the text // we'd like to be copied to the clipboard in the textarea and select it. this._setAndWriteTextAreaState('copy or cut', __WEBPACK_IMPORTED_MODULE_7__textAreaState_js__["b" /* TextAreaState */].selectedText(copyPlainText)); return; } var copyHTML = null; if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["d" /* hasClipboardSupport */]() && (copyPlainText.length < 65536 || CopyOptions.forceCopyWithSyntaxHighlighting)) { copyHTML = this._host.getHTMLToCopy(); } ClipboardEventUtils.setTextData(e, copyPlainText, copyHTML); }; return TextAreaInput; }(__WEBPACK_IMPORTED_MODULE_4__base_common_lifecycle_js__["a" /* Disposable */])); var ClipboardEventUtils = /** @class */ (function () { function ClipboardEventUtils() { } ClipboardEventUtils.canUseTextData = function (e) { if (e.clipboardData) { return true; } if (window.clipboardData) { return true; } return false; }; ClipboardEventUtils.getTextData = function (e) { if (e.clipboardData) { e.preventDefault(); return e.clipboardData.getData('text/plain'); } if (window.clipboardData) { e.preventDefault(); return window.clipboardData.getData('Text'); } throw new Error('ClipboardEventUtils.getTextData: Cannot use text data!'); }; ClipboardEventUtils.setTextData = function (e, text, richText) { if (e.clipboardData) { e.clipboardData.setData('text/plain', text); if (richText !== null) { e.clipboardData.setData('text/html', richText); } e.preventDefault(); return; } if (window.clipboardData) { window.clipboardData.setData('Text', text); e.preventDefault(); return; } throw new Error('ClipboardEventUtils.setTextData: Cannot use text data!'); }; return ClipboardEventUtils; }()); var TextAreaWrapper = /** @class */ (function (_super) { __extends(TextAreaWrapper, _super); function TextAreaWrapper(_textArea) { var _this = _super.call(this) || this; _this._actual = _textArea; _this._ignoreSelectionChangeTime = 0; return _this; } TextAreaWrapper.prototype.setIgnoreSelectionChangeTime = function (reason) { this._ignoreSelectionChangeTime = Date.now(); }; TextAreaWrapper.prototype.getIgnoreSelectionChangeTime = function () { return this._ignoreSelectionChangeTime; }; TextAreaWrapper.prototype.resetSelectionChangeTime = function () { this._ignoreSelectionChangeTime = 0; }; TextAreaWrapper.prototype.getValue = function () { // console.log('current value: ' + this._textArea.value); return this._actual.domNode.value; }; TextAreaWrapper.prototype.setValue = function (reason, value) { var textArea = this._actual.domNode; if (textArea.value === value) { // No change return; } // console.log('reason: ' + reason + ', current value: ' + textArea.value + ' => new value: ' + value); this.setIgnoreSelectionChangeTime('setValue'); textArea.value = value; }; TextAreaWrapper.prototype.getSelectionStart = function () { return this._actual.domNode.selectionStart; }; TextAreaWrapper.prototype.getSelectionEnd = function () { return this._actual.domNode.selectionEnd; }; TextAreaWrapper.prototype.setSelectionRange = function (reason, selectionStart, selectionEnd) { var textArea = this._actual.domNode; var currentIsFocused = (document.activeElement === textArea); var currentSelectionStart = textArea.selectionStart; var currentSelectionEnd = textArea.selectionEnd; if (currentIsFocused && currentSelectionStart === selectionStart && currentSelectionEnd === selectionEnd) { // No change // Firefox iframe bug https://github.com/Microsoft/monaco-editor/issues/643#issuecomment-367871377 if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["i" /* isFirefox */] && window.parent !== window) { textArea.focus(); } return; } // console.log('reason: ' + reason + ', setSelectionRange: ' + selectionStart + ' -> ' + selectionEnd); if (currentIsFocused) { // No need to focus, only need to change the selection range this.setIgnoreSelectionChangeTime('setSelectionRange'); textArea.setSelectionRange(selectionStart, selectionEnd); if (__WEBPACK_IMPORTED_MODULE_0__base_browser_browser_js__["i" /* isFirefox */] && window.parent !== window) { textArea.focus(); } return; } // If the focus is outside the textarea, browsers will try really hard to reveal the textarea. // Here, we try to undo the browser's desperate reveal. try { var scrollState = __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["J" /* saveParentsScrollTop */](textArea); this.setIgnoreSelectionChangeTime('setSelectionRange'); textArea.focus(); textArea.setSelectionRange(selectionStart, selectionEnd); __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["H" /* restoreParentsScrollTop */](textArea, scrollState); } catch (e) { // Sometimes IE throws when setting selection (e.g. textarea is off-DOM) } }; return TextAreaWrapper; }(__WEBPACK_IMPORTED_MODULE_4__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1937: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1938); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1938: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .margin-view-overlays .line-numbers{position:absolute;text-align:right;display:inline-block;vertical-align:middle;-webkit-box-sizing:border-box;box-sizing:border-box;cursor:default;height:100%}.monaco-editor .relative-current-line-number{text-align:left;display:inline-block;width:100%}.monaco-editor .margin-view-overlays .line-numbers{cursor:-webkit-image-set(url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNSIgaGVpZ2h0PSIyNSIgeD0iMHB4IiB5PSIwcHgiIHZpZXdCb3g9IjAgMCAxNSAyNSIgc3R5bGU9ImVuYWJsZS1iYWNrZ3JvdW5kOm5ldyAwIDAgMTUgMjU7Ij48cG9seWdvbiBzdHlsZT0iZmlsbDojRkZGRkZGO3N0cm9rZTojMDAwMDAwIiBwb2ludHM9IjE0LjUsMS4yIDEuOSwxMy44IDcsMTMuOCAzLjIsMjEuNSA2LjMsMjIuNSAxMC4xLDE0LjkgMTQuNSwxOCIvPjwvc3ZnPg==\") 1x,url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHg9IjBweCIgeT0iMHB4IiB3aWR0aD0iMzAiIGhlaWdodD0iNTAiIHZpZXdCb3g9IjAgMCAzMCA1MCIgc3R5bGU9ImVuYWJsZS1iYWNrZ3JvdW5kOm5ldyAwIDAgMzAgNTA7Ij48cG9seWdvbiBzdHlsZT0iZmlsbDojRkZGRkZGO3N0cm9rZTojMDAwMDAwO3N0cm9rZS13aWR0aDoyOyIgcG9pbnRzPSIyOSwyLjQgMy44LDI3LjYgMTQsMjcuNiA2LjQsNDMgMTIuNiw0NSAyMC4yLDI5LjggMjksMzYiLz48L3N2Zz4K\") 2x) 30 0,default}.monaco-editor.mac .margin-view-overlays .line-numbers{cursor:-webkit-image-set(url(\"data:image/svg+xml;base64,PHN2ZyB2ZXJzaW9uPSIxLjEiIGlkPSJMYXllcl8xIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHhtbG5zOnhsaW5rPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5L3hsaW5rIiB2aWV3Qm94PSIwIDAgMTMgMTkiIHN0eWxlPSJlbmFibGUtYmFja2dyb3VuZDpuZXcgMCAwIDEzIDE5OyIgd2lkdGg9IjEzIiBoZWlnaHQ9IjE5Ij48c3R5bGUgdHlwZT0idGV4dC9jc3MiPi5zdDB7c3Ryb2tlOiNGRkZGRkY7c3Ryb2tlLW1pdGVybGltaXQ6MTA7fTwvc3R5bGU+PHRpdGxlPmZsaXBwZWQtY3Vyc29yLW1hYzwvdGl0bGU+PHBhdGggY2xhc3M9InN0MCIgZD0iTTUuMywxNi42bDEuNi00LjdIMi4xTDEyLjUsMS4ydjE0LjRMOS43LDEzbC0xLjYsNC42Yy0wLjIsMC41LTAuOCwwLjgtMS4zLDAuNkw2LDE3LjkgQzUuNCwxNy43LDUuMSwxNy4yLDUuMywxNi42eiIvPjwvc3ZnPgo=\") 1x,url(\"data:image/svg+xml;base64,CjxzdmcgdmVyc2lvbj0iMS4xIiBpZD0iTGF5ZXJfMSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIiB4bWxuczp4bGluaz0iaHR0cDovL3d3dy53My5vcmcvMTk5OS94bGluayIgdmlld0JveD0iMCAwIDI2IDM4IiBzdHlsZT0iZW5hYmxlLWJhY2tncm91bmQ6bmV3IDAgMCAyNiAzODsiIHdpZHRoPSIyNiIgaGVpZ2h0PSIzOCI+PHN0eWxlIHR5cGU9InRleHQvY3NzIj4uc3Qwe3N0cm9rZTojRkZGRkZGO3N0cm9rZS1taXRlcmxpbWl0OjEwO308L3N0eWxlPgk8dGl0bGU+ZmxpcHBlZC1jdXJzb3ItbWFjPC90aXRsZT48cGF0aCBjbGFzcz0ic3QwIiBkPSJNMTAuNiwzMy4ybDMuMi05LjRINC4yTDI1LDIuNHYyOC44TDE5LjQsMjZsLTMuMiw5LjJjLTAuNCwxLTEuNiwxLjYtMi42LDEuMkwxMiwzNS44IEMxMC44LDM1LjQsMTAuMiwzNC40LDEwLjYsMzMuMnoiLz48L3N2Zz4K\") 2x) 24 3,default}.monaco-editor .margin-view-overlays .line-numbers.lh-odd{margin-top:1px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/lineNumbers/lineNumbers.css"],"names":[],"mappings":"AAKA,mDACC,kBAAmB,AACnB,iBAAkB,AAClB,qBAAsB,AACtB,sBAAuB,AACvB,8BAA+B,AACvB,sBAAuB,AAC/B,eAAgB,AAChB,WAAa,CACb,AAED,6CACC,gBAAiB,AACjB,qBAAsB,AACtB,UAAY,CACZ,AAED,mDACC,4zBAGgB,CAChB,AAED,uDACC,oxCAGgB,CAChB,AAED,0DACC,cAAgB,CAChB","file":"lineNumbers.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .margin-view-overlays .line-numbers {\n\tposition: absolute;\n\ttext-align: right;\n\tdisplay: inline-block;\n\tvertical-align: middle;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\tcursor: default;\n\theight: 100%;\n}\n\n.monaco-editor .relative-current-line-number {\n\ttext-align: left;\n\tdisplay: inline-block;\n\twidth: 100%;\n}\n\n.monaco-editor .margin-view-overlays .line-numbers {\n\tcursor: -webkit-image-set(\n\t\turl(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNSIgaGVpZ2h0PSIyNSIgeD0iMHB4IiB5PSIwcHgiIHZpZXdCb3g9IjAgMCAxNSAyNSIgc3R5bGU9ImVuYWJsZS1iYWNrZ3JvdW5kOm5ldyAwIDAgMTUgMjU7Ij48cG9seWdvbiBzdHlsZT0iZmlsbDojRkZGRkZGO3N0cm9rZTojMDAwMDAwIiBwb2ludHM9IjE0LjUsMS4yIDEuOSwxMy44IDcsMTMuOCAzLjIsMjEuNSA2LjMsMjIuNSAxMC4xLDE0LjkgMTQuNSwxOCIvPjwvc3ZnPg==\") 1x,\n\t\turl(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHg9IjBweCIgeT0iMHB4IiB3aWR0aD0iMzAiIGhlaWdodD0iNTAiIHZpZXdCb3g9IjAgMCAzMCA1MCIgc3R5bGU9ImVuYWJsZS1iYWNrZ3JvdW5kOm5ldyAwIDAgMzAgNTA7Ij48cG9seWdvbiBzdHlsZT0iZmlsbDojRkZGRkZGO3N0cm9rZTojMDAwMDAwO3N0cm9rZS13aWR0aDoyOyIgcG9pbnRzPSIyOSwyLjQgMy44LDI3LjYgMTQsMjcuNiA2LjQsNDMgMTIuNiw0NSAyMC4yLDI5LjggMjksMzYiLz48L3N2Zz4K\") 2x\n\t) 30 0, default;\n}\n\n.monaco-editor.mac .margin-view-overlays .line-numbers {\n\tcursor: -webkit-image-set(\n\t\turl(\"data:image/svg+xml;base64,PHN2ZyB2ZXJzaW9uPSIxLjEiIGlkPSJMYXllcl8xIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHhtbG5zOnhsaW5rPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5L3hsaW5rIiB2aWV3Qm94PSIwIDAgMTMgMTkiIHN0eWxlPSJlbmFibGUtYmFja2dyb3VuZDpuZXcgMCAwIDEzIDE5OyIgd2lkdGg9IjEzIiBoZWlnaHQ9IjE5Ij48c3R5bGUgdHlwZT0idGV4dC9jc3MiPi5zdDB7c3Ryb2tlOiNGRkZGRkY7c3Ryb2tlLW1pdGVybGltaXQ6MTA7fTwvc3R5bGU+PHRpdGxlPmZsaXBwZWQtY3Vyc29yLW1hYzwvdGl0bGU+PHBhdGggY2xhc3M9InN0MCIgZD0iTTUuMywxNi42bDEuNi00LjdIMi4xTDEyLjUsMS4ydjE0LjRMOS43LDEzbC0xLjYsNC42Yy0wLjIsMC41LTAuOCwwLjgtMS4zLDAuNkw2LDE3LjkgQzUuNCwxNy43LDUuMSwxNy4yLDUuMywxNi42eiIvPjwvc3ZnPgo=\") 1x,\n\t\turl(\"data:image/svg+xml;base64,CjxzdmcgdmVyc2lvbj0iMS4xIiBpZD0iTGF5ZXJfMSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIiB4bWxuczp4bGluaz0iaHR0cDovL3d3dy53My5vcmcvMTk5OS94bGluayIgdmlld0JveD0iMCAwIDI2IDM4IiBzdHlsZT0iZW5hYmxlLWJhY2tncm91bmQ6bmV3IDAgMCAyNiAzODsiIHdpZHRoPSIyNiIgaGVpZ2h0PSIzOCI+PHN0eWxlIHR5cGU9InRleHQvY3NzIj4uc3Qwe3N0cm9rZTojRkZGRkZGO3N0cm9rZS1taXRlcmxpbWl0OjEwO308L3N0eWxlPgk8dGl0bGU+ZmxpcHBlZC1jdXJzb3ItbWFjPC90aXRsZT48cGF0aCBjbGFzcz0ic3QwIiBkPSJNMTAuNiwzMy4ybDMuMi05LjRINC4yTDI1LDIuNHYyOC44TDE5LjQsMjZsLTMuMiw5LjJjLTAuNCwxLTEuNiwxLjYtMi42LDEuMkwxMiwzNS44IEMxMC44LDM1LjQsMTAuMiwzNC40LDEwLjYsMzMuMnoiLz48L3N2Zz4K\") 2x\n\t) 24 3, default;\n}\n\n.monaco-editor .margin-view-overlays .line-numbers.lh-odd {\n\tmargin-top: 1px;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1939: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewController; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__ = __webpack_require__(1940); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_core_position_js__ = __webpack_require__(854); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ViewController = /** @class */ (function () { function ViewController(configuration, viewModel, outgoingEvents, commandDelegate) { this.configuration = configuration; this.viewModel = viewModel; this.outgoingEvents = outgoingEvents; this.commandDelegate = commandDelegate; } ViewController.prototype._execMouseCommand = function (editorCommand, args) { args.source = 'mouse'; this.commandDelegate.executeEditorCommand(editorCommand, args); }; ViewController.prototype.paste = function (source, text, pasteOnNewLine, multicursorText) { this.commandDelegate.paste(source, text, pasteOnNewLine, multicursorText); }; ViewController.prototype.type = function (source, text) { this.commandDelegate.type(source, text); }; ViewController.prototype.replacePreviousChar = function (source, text, replaceCharCnt) { this.commandDelegate.replacePreviousChar(source, text, replaceCharCnt); }; ViewController.prototype.compositionStart = function (source) { this.commandDelegate.compositionStart(source); }; ViewController.prototype.compositionEnd = function (source) { this.commandDelegate.compositionEnd(source); }; ViewController.prototype.cut = function (source) { this.commandDelegate.cut(source); }; ViewController.prototype.setSelection = function (source, modelSelection) { this.commandDelegate.executeEditorCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].SetSelection, { source: source, selection: modelSelection }); }; ViewController.prototype._validateViewColumn = function (viewPosition) { var minColumn = this.viewModel.getLineMinColumn(viewPosition.lineNumber); if (viewPosition.column < minColumn) { return new __WEBPACK_IMPORTED_MODULE_1__common_core_position_js__["a" /* Position */](viewPosition.lineNumber, minColumn); } return viewPosition; }; ViewController.prototype._hasMulticursorModifier = function (data) { switch (this.configuration.editor.multiCursorModifier) { case 'altKey': return data.altKey; case 'ctrlKey': return data.ctrlKey; case 'metaKey': return data.metaKey; } return false; }; ViewController.prototype._hasNonMulticursorModifier = function (data) { switch (this.configuration.editor.multiCursorModifier) { case 'altKey': return data.ctrlKey || data.metaKey; case 'ctrlKey': return data.altKey || data.metaKey; case 'metaKey': return data.ctrlKey || data.altKey; } return false; }; ViewController.prototype.dispatchMouse = function (data) { if (data.middleButton) { if (data.inSelectionMode) { this._columnSelect(data.position, data.mouseColumn); } else { this.moveTo(data.position); } } else if (data.startedOnLineNumbers) { // If the dragging started on the gutter, then have operations work on the entire line if (this._hasMulticursorModifier(data)) { if (data.inSelectionMode) { this._lastCursorLineSelect(data.position); } else { this._createCursor(data.position, true); } } else { if (data.inSelectionMode) { this._lineSelectDrag(data.position); } else { this._lineSelect(data.position); } } } else if (data.mouseDownCount >= 4) { this._selectAll(); } else if (data.mouseDownCount === 3) { if (this._hasMulticursorModifier(data)) { if (data.inSelectionMode) { this._lastCursorLineSelectDrag(data.position); } else { this._lastCursorLineSelect(data.position); } } else { if (data.inSelectionMode) { this._lineSelectDrag(data.position); } else { this._lineSelect(data.position); } } } else if (data.mouseDownCount === 2) { if (this._hasMulticursorModifier(data)) { this._lastCursorWordSelect(data.position); } else { if (data.inSelectionMode) { this._wordSelectDrag(data.position); } else { this._wordSelect(data.position); } } } else { if (this._hasMulticursorModifier(data)) { if (!this._hasNonMulticursorModifier(data)) { if (data.shiftKey) { this._columnSelect(data.position, data.mouseColumn); } else { // Do multi-cursor operations only when purely alt is pressed if (data.inSelectionMode) { this._lastCursorMoveToSelect(data.position); } else { this._createCursor(data.position, false); } } } } else { if (data.inSelectionMode) { if (data.altKey) { this._columnSelect(data.position, data.mouseColumn); } else { this._moveToSelect(data.position); } } else { this.moveTo(data.position); } } } }; ViewController.prototype._usualArgs = function (viewPosition) { viewPosition = this._validateViewColumn(viewPosition); return { position: this._convertViewToModelPosition(viewPosition), viewPosition: viewPosition }; }; ViewController.prototype.moveTo = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].MoveTo, this._usualArgs(viewPosition)); }; ViewController.prototype._moveToSelect = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].MoveToSelect, this._usualArgs(viewPosition)); }; ViewController.prototype._columnSelect = function (viewPosition, mouseColumn) { viewPosition = this._validateViewColumn(viewPosition); this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].ColumnSelect, { position: this._convertViewToModelPosition(viewPosition), viewPosition: viewPosition, mouseColumn: mouseColumn }); }; ViewController.prototype._createCursor = function (viewPosition, wholeLine) { viewPosition = this._validateViewColumn(viewPosition); this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].CreateCursor, { position: this._convertViewToModelPosition(viewPosition), viewPosition: viewPosition, wholeLine: wholeLine }); }; ViewController.prototype._lastCursorMoveToSelect = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].LastCursorMoveToSelect, this._usualArgs(viewPosition)); }; ViewController.prototype._wordSelect = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].WordSelect, this._usualArgs(viewPosition)); }; ViewController.prototype._wordSelectDrag = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].WordSelectDrag, this._usualArgs(viewPosition)); }; ViewController.prototype._lastCursorWordSelect = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].LastCursorWordSelect, this._usualArgs(viewPosition)); }; ViewController.prototype._lineSelect = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].LineSelect, this._usualArgs(viewPosition)); }; ViewController.prototype._lineSelectDrag = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].LineSelectDrag, this._usualArgs(viewPosition)); }; ViewController.prototype._lastCursorLineSelect = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].LastCursorLineSelect, this._usualArgs(viewPosition)); }; ViewController.prototype._lastCursorLineSelectDrag = function (viewPosition) { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].LastCursorLineSelectDrag, this._usualArgs(viewPosition)); }; ViewController.prototype._selectAll = function () { this._execMouseCommand(__WEBPACK_IMPORTED_MODULE_0__controller_coreCommands_js__["a" /* CoreNavigationCommands */].SelectAll, {}); }; // ---------------------- ViewController.prototype._convertViewToModelPosition = function (viewPosition) { return this.viewModel.coordinatesConverter.convertViewPositionToModelPosition(viewPosition); }; ViewController.prototype.emitKeyDown = function (e) { this.outgoingEvents.emitKeyDown(e); }; ViewController.prototype.emitKeyUp = function (e) { this.outgoingEvents.emitKeyUp(e); }; ViewController.prototype.emitContextMenu = function (e) { this.outgoingEvents.emitContextMenu(e); }; ViewController.prototype.emitMouseMove = function (e) { this.outgoingEvents.emitMouseMove(e); }; ViewController.prototype.emitMouseLeave = function (e) { this.outgoingEvents.emitMouseLeave(e); }; ViewController.prototype.emitMouseUp = function (e) { this.outgoingEvents.emitMouseUp(e); }; ViewController.prototype.emitMouseDown = function (e) { this.outgoingEvents.emitMouseDown(e); }; ViewController.prototype.emitMouseDrag = function (e) { this.outgoingEvents.emitMouseDrag(e); }; ViewController.prototype.emitMouseDrop = function (e) { this.outgoingEvents.emitMouseDrop(e); }; return ViewController; }()); /***/ }), /***/ 1940: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export CoreEditorCommand */ /* unused harmony export EditorScroll_ */ /* unused harmony export RevealLine_ */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CoreNavigationCommands; }); /* unused harmony export CoreEditingCommands */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__ = __webpack_require__(1573); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_controller_cursorColumnSelection_js__ = __webpack_require__(1941); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_controller_cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_controller_cursorDeleteOperations_js__ = __webpack_require__(1704); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__ = __webpack_require__(1951); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_controller_cursorTypeOperations_js__ = __webpack_require__(1707); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__ = __webpack_require__(1324); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__ = __webpack_require__(1708); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var CORE_WEIGHT = 0 /* EditorCore */; var CoreEditorCommand = /** @class */ (function (_super) { __extends(CoreEditorCommand, _super); function CoreEditorCommand() { return _super !== null && _super.apply(this, arguments) || this; } CoreEditorCommand.prototype.runEditorCommand = function (accessor, editor, args) { var cursors = editor._getCursors(); if (!cursors) { // the editor has no view => has no cursors return; } this.runCoreEditorCommand(cursors, args || {}); }; return CoreEditorCommand; }(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["c" /* EditorCommand */])); var EditorScroll_; (function (EditorScroll_) { var isEditorScrollArgs = function (arg) { if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["h" /* isObject */](arg)) { return false; } var scrollArg = arg; if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["i" /* isString */](scrollArg.to)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["j" /* isUndefined */](scrollArg.by) && !__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["i" /* isString */](scrollArg.by)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["j" /* isUndefined */](scrollArg.value) && !__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["g" /* isNumber */](scrollArg.value)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["j" /* isUndefined */](scrollArg.revealCursor) && !__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["d" /* isBoolean */](scrollArg.revealCursor)) { return false; } return true; }; EditorScroll_.description = { description: 'Scroll editor in the given direction', args: [ { name: 'Editor scroll argument object', description: "Property-value pairs that can be passed through this argument:\n\t\t\t\t\t* 'to': A mandatory direction value.\n\t\t\t\t\t\t```\n\t\t\t\t\t\t'up', 'down'\n\t\t\t\t\t\t```\n\t\t\t\t\t* 'by': Unit to move. Default is computed based on 'to' value.\n\t\t\t\t\t\t```\n\t\t\t\t\t\t'line', 'wrappedLine', 'page', 'halfPage'\n\t\t\t\t\t\t```\n\t\t\t\t\t* 'value': Number of units to move. Default is '1'.\n\t\t\t\t\t* 'revealCursor': If 'true' reveals the cursor if it is outside view port.\n\t\t\t\t", constraint: isEditorScrollArgs, schema: { 'type': 'object', 'required': ['to'], 'properties': { 'to': { 'type': 'string', 'enum': ['up', 'down'] }, 'by': { 'type': 'string', 'enum': ['line', 'wrappedLine', 'page', 'halfPage'] }, 'value': { 'type': 'number', 'default': 1 }, 'revealCursor': { 'type': 'boolean', } } } } ] }; /** * Directions in the view for editor scroll command. */ EditorScroll_.RawDirection = { Up: 'up', Down: 'down', }; /** * Units for editor scroll 'by' argument */ EditorScroll_.RawUnit = { Line: 'line', WrappedLine: 'wrappedLine', Page: 'page', HalfPage: 'halfPage' }; function parse(args) { var direction; switch (args.to) { case EditorScroll_.RawDirection.Up: direction = 1 /* Up */; break; case EditorScroll_.RawDirection.Down: direction = 2 /* Down */; break; default: // Illegal arguments return null; } var unit; switch (args.by) { case EditorScroll_.RawUnit.Line: unit = 1 /* Line */; break; case EditorScroll_.RawUnit.WrappedLine: unit = 2 /* WrappedLine */; break; case EditorScroll_.RawUnit.Page: unit = 3 /* Page */; break; case EditorScroll_.RawUnit.HalfPage: unit = 4 /* HalfPage */; break; default: unit = 2 /* WrappedLine */; } var value = Math.floor(args.value || 1); var revealCursor = !!args.revealCursor; return { direction: direction, unit: unit, value: value, revealCursor: revealCursor, select: (!!args.select) }; } EditorScroll_.parse = parse; })(EditorScroll_ || (EditorScroll_ = {})); var RevealLine_; (function (RevealLine_) { var isRevealLineArgs = function (arg) { if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["h" /* isObject */](arg)) { return false; } var reveaLineArg = arg; if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["g" /* isNumber */](reveaLineArg.lineNumber)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["j" /* isUndefined */](reveaLineArg.at) && !__WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["i" /* isString */](reveaLineArg.at)) { return false; } return true; }; RevealLine_.description = { description: 'Reveal the given line at the given logical position', args: [ { name: 'Reveal line argument object', description: "Property-value pairs that can be passed through this argument:\n\t\t\t\t\t* 'lineNumber': A mandatory line number value.\n\t\t\t\t\t* 'at': Logical position at which line has to be revealed .\n\t\t\t\t\t\t```\n\t\t\t\t\t\t'top', 'center', 'bottom'\n\t\t\t\t\t\t```\n\t\t\t\t", constraint: isRevealLineArgs, schema: { 'type': 'object', 'required': ['lineNumber'], 'properties': { 'lineNumber': { 'type': 'number', }, 'at': { 'type': 'string', 'enum': ['top', 'center', 'bottom'] } } } } ] }; /** * Values for reveal line 'at' argument */ RevealLine_.RawAtArgument = { Top: 'top', Center: 'center', Bottom: 'bottom' }; })(RevealLine_ || (RevealLine_ = {})); var CoreNavigationCommands; (function (CoreNavigationCommands) { var BaseMoveToCommand = /** @class */ (function (_super) { __extends(BaseMoveToCommand, _super); function BaseMoveToCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } BaseMoveToCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveTo(cursors.context, cursors.getPrimaryCursor(), this._inSelectionMode, args.position, args.viewPosition) ]); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return BaseMoveToCommand; }(CoreEditorCommand)); CoreNavigationCommands.MoveTo = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new BaseMoveToCommand({ id: '_moveTo', inSelectionMode: false, precondition: null })); CoreNavigationCommands.MoveToSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new BaseMoveToCommand({ id: '_moveToSelect', inSelectionMode: true, precondition: null })); var ColumnSelectCommand = /** @class */ (function (_super) { __extends(ColumnSelectCommand, _super); function ColumnSelectCommand() { return _super !== null && _super.apply(this, arguments) || this; } ColumnSelectCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); var result = this._getColumnSelectResult(cursors.context, cursors.getPrimaryCursor(), cursors.getColumnSelectData(), args); cursors.setStates(args.source, 3 /* Explicit */, result.viewStates.map(function (viewState) { return __WEBPACK_IMPORTED_MODULE_5__common_controller_cursorCommon_js__["d" /* CursorState */].fromViewState(viewState); })); cursors.setColumnSelectData({ toViewLineNumber: result.toLineNumber, toViewVisualColumn: result.toVisualColumn }); cursors.reveal(true, (result.reversed ? 1 /* TopMost */ : 2 /* BottomMost */), 0 /* Smooth */); }; return ColumnSelectCommand; }(CoreEditorCommand)); CoreNavigationCommands.ColumnSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_1, _super); function class_1() { return _super.call(this, { id: 'columnSelect', precondition: null }) || this; } class_1.prototype._getColumnSelectResult = function (context, primary, prevColumnSelectData, args) { // validate `args` var validatedPosition = context.model.validatePosition(args.position); var validatedViewPosition; if (args.viewPosition) { validatedViewPosition = context.validateViewPosition(new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](args.viewPosition.lineNumber, args.viewPosition.column), validatedPosition); } else { validatedViewPosition = context.convertModelPositionToViewPosition(validatedPosition); } return __WEBPACK_IMPORTED_MODULE_4__common_controller_cursorColumnSelection_js__["a" /* ColumnSelection */].columnSelect(context.config, context.viewModel, primary.viewState.selection, validatedViewPosition.lineNumber, args.mouseColumn - 1); }; return class_1; }(ColumnSelectCommand))); CoreNavigationCommands.CursorColumnSelectLeft = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_2, _super); function class_2() { return _super.call(this, { id: 'cursorColumnSelectLeft', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 512 /* Alt */ | 15 /* LeftArrow */, linux: { primary: 0 } } }) || this; } class_2.prototype._getColumnSelectResult = function (context, primary, prevColumnSelectData, args) { return __WEBPACK_IMPORTED_MODULE_4__common_controller_cursorColumnSelection_js__["a" /* ColumnSelection */].columnSelectLeft(context.config, context.viewModel, primary.viewState, prevColumnSelectData.toViewLineNumber, prevColumnSelectData.toViewVisualColumn); }; return class_2; }(ColumnSelectCommand))); CoreNavigationCommands.CursorColumnSelectRight = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_3, _super); function class_3() { return _super.call(this, { id: 'cursorColumnSelectRight', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 512 /* Alt */ | 17 /* RightArrow */, linux: { primary: 0 } } }) || this; } class_3.prototype._getColumnSelectResult = function (context, primary, prevColumnSelectData, args) { return __WEBPACK_IMPORTED_MODULE_4__common_controller_cursorColumnSelection_js__["a" /* ColumnSelection */].columnSelectRight(context.config, context.viewModel, primary.viewState, prevColumnSelectData.toViewLineNumber, prevColumnSelectData.toViewVisualColumn); }; return class_3; }(ColumnSelectCommand))); var ColumnSelectUpCommand = /** @class */ (function (_super) { __extends(ColumnSelectUpCommand, _super); function ColumnSelectUpCommand(opts) { var _this = _super.call(this, opts) || this; _this._isPaged = opts.isPaged; return _this; } ColumnSelectUpCommand.prototype._getColumnSelectResult = function (context, primary, prevColumnSelectData, args) { return __WEBPACK_IMPORTED_MODULE_4__common_controller_cursorColumnSelection_js__["a" /* ColumnSelection */].columnSelectUp(context.config, context.viewModel, primary.viewState, this._isPaged, prevColumnSelectData.toViewLineNumber, prevColumnSelectData.toViewVisualColumn); }; return ColumnSelectUpCommand; }(ColumnSelectCommand)); CoreNavigationCommands.CursorColumnSelectUp = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new ColumnSelectUpCommand({ isPaged: false, id: 'cursorColumnSelectUp', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 512 /* Alt */ | 16 /* UpArrow */, linux: { primary: 0 } } })); CoreNavigationCommands.CursorColumnSelectPageUp = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new ColumnSelectUpCommand({ isPaged: true, id: 'cursorColumnSelectPageUp', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 512 /* Alt */ | 11 /* PageUp */, linux: { primary: 0 } } })); var ColumnSelectDownCommand = /** @class */ (function (_super) { __extends(ColumnSelectDownCommand, _super); function ColumnSelectDownCommand(opts) { var _this = _super.call(this, opts) || this; _this._isPaged = opts.isPaged; return _this; } ColumnSelectDownCommand.prototype._getColumnSelectResult = function (context, primary, prevColumnSelectData, args) { return __WEBPACK_IMPORTED_MODULE_4__common_controller_cursorColumnSelection_js__["a" /* ColumnSelection */].columnSelectDown(context.config, context.viewModel, primary.viewState, this._isPaged, prevColumnSelectData.toViewLineNumber, prevColumnSelectData.toViewVisualColumn); }; return ColumnSelectDownCommand; }(ColumnSelectCommand)); CoreNavigationCommands.CursorColumnSelectDown = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new ColumnSelectDownCommand({ isPaged: false, id: 'cursorColumnSelectDown', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 512 /* Alt */ | 18 /* DownArrow */, linux: { primary: 0 } } })); CoreNavigationCommands.CursorColumnSelectPageDown = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new ColumnSelectDownCommand({ isPaged: true, id: 'cursorColumnSelectPageDown', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 512 /* Alt */ | 12 /* PageDown */, linux: { primary: 0 } } })); var CursorMoveImpl = /** @class */ (function (_super) { __extends(CursorMoveImpl, _super); function CursorMoveImpl() { return _super.call(this, { id: 'cursorMove', precondition: null, description: __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["a" /* CursorMove */].description }) || this; } CursorMoveImpl.prototype.runCoreEditorCommand = function (cursors, args) { var parsed = __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["a" /* CursorMove */].parse(args); if (!parsed) { // illegal arguments return; } this._runCursorMove(cursors, args.source, parsed); }; CursorMoveImpl.prototype._runCursorMove = function (cursors, source, args) { cursors.context.model.pushStackElement(); cursors.setStates(source, 3 /* Explicit */, __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].move(cursors.context, cursors.getAll(), args)); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return CursorMoveImpl; }(CoreEditorCommand)); CoreNavigationCommands.CursorMoveImpl = CursorMoveImpl; CoreNavigationCommands.CursorMove = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveImpl()); var CursorMoveBasedCommand = /** @class */ (function (_super) { __extends(CursorMoveBasedCommand, _super); function CursorMoveBasedCommand(opts) { var _this = _super.call(this, opts) || this; _this._staticArgs = opts.args; return _this; } CursorMoveBasedCommand.prototype.runCoreEditorCommand = function (cursors, dynamicArgs) { var args = this._staticArgs; if (this._staticArgs.value === -1 /* PAGE_SIZE_MARKER */) { // -1 is a marker for page size args = { direction: this._staticArgs.direction, unit: this._staticArgs.unit, select: this._staticArgs.select, value: cursors.context.config.pageSize }; } CoreNavigationCommands.CursorMove._runCursorMove(cursors, dynamicArgs.source, args); }; return CursorMoveBasedCommand; }(CoreEditorCommand)); CoreNavigationCommands.CursorLeft = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 0 /* Left */, unit: 0 /* None */, select: false, value: 1 }, id: 'cursorLeft', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 15 /* LeftArrow */, mac: { primary: 15 /* LeftArrow */, secondary: [256 /* WinCtrl */ | 32 /* KEY_B */] } } })); CoreNavigationCommands.CursorLeftSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 0 /* Left */, unit: 0 /* None */, select: true, value: 1 }, id: 'cursorLeftSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 15 /* LeftArrow */ } })); CoreNavigationCommands.CursorRight = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 1 /* Right */, unit: 0 /* None */, select: false, value: 1 }, id: 'cursorRight', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 17 /* RightArrow */, mac: { primary: 17 /* RightArrow */, secondary: [256 /* WinCtrl */ | 36 /* KEY_F */] } } })); CoreNavigationCommands.CursorRightSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 1 /* Right */, unit: 0 /* None */, select: true, value: 1 }, id: 'cursorRightSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 17 /* RightArrow */ } })); CoreNavigationCommands.CursorUp = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 2 /* Up */, unit: 2 /* WrappedLine */, select: false, value: 1 }, id: 'cursorUp', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 16 /* UpArrow */, mac: { primary: 16 /* UpArrow */, secondary: [256 /* WinCtrl */ | 46 /* KEY_P */] } } })); CoreNavigationCommands.CursorUpSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 2 /* Up */, unit: 2 /* WrappedLine */, select: true, value: 1 }, id: 'cursorUpSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 16 /* UpArrow */, secondary: [2048 /* CtrlCmd */ | 1024 /* Shift */ | 16 /* UpArrow */], mac: { primary: 1024 /* Shift */ | 16 /* UpArrow */ }, linux: { primary: 1024 /* Shift */ | 16 /* UpArrow */ } } })); CoreNavigationCommands.CursorPageUp = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 2 /* Up */, unit: 2 /* WrappedLine */, select: false, value: -1 /* PAGE_SIZE_MARKER */ }, id: 'cursorPageUp', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 11 /* PageUp */ } })); CoreNavigationCommands.CursorPageUpSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 2 /* Up */, unit: 2 /* WrappedLine */, select: true, value: -1 /* PAGE_SIZE_MARKER */ }, id: 'cursorPageUpSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 11 /* PageUp */ } })); CoreNavigationCommands.CursorDown = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 3 /* Down */, unit: 2 /* WrappedLine */, select: false, value: 1 }, id: 'cursorDown', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 18 /* DownArrow */, mac: { primary: 18 /* DownArrow */, secondary: [256 /* WinCtrl */ | 44 /* KEY_N */] } } })); CoreNavigationCommands.CursorDownSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 3 /* Down */, unit: 2 /* WrappedLine */, select: true, value: 1 }, id: 'cursorDownSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 18 /* DownArrow */, secondary: [2048 /* CtrlCmd */ | 1024 /* Shift */ | 18 /* DownArrow */], mac: { primary: 1024 /* Shift */ | 18 /* DownArrow */ }, linux: { primary: 1024 /* Shift */ | 18 /* DownArrow */ } } })); CoreNavigationCommands.CursorPageDown = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 3 /* Down */, unit: 2 /* WrappedLine */, select: false, value: -1 /* PAGE_SIZE_MARKER */ }, id: 'cursorPageDown', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 12 /* PageDown */ } })); CoreNavigationCommands.CursorPageDownSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new CursorMoveBasedCommand({ args: { direction: 3 /* Down */, unit: 2 /* WrappedLine */, select: true, value: -1 /* PAGE_SIZE_MARKER */ }, id: 'cursorPageDownSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 12 /* PageDown */ } })); CoreNavigationCommands.CreateCursor = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_4, _super); function class_4() { return _super.call(this, { id: 'createCursor', precondition: null }) || this; } class_4.prototype.runCoreEditorCommand = function (cursors, args) { var context = cursors.context; var newState; if (args.wholeLine) { newState = __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].line(context, cursors.getPrimaryCursor(), false, args.position, args.viewPosition); } else { newState = __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveTo(context, cursors.getPrimaryCursor(), false, args.position, args.viewPosition); } var states = cursors.getAll(); // Check if we should remove a cursor (sort of like a toggle) if (states.length > 1) { var newModelPosition = (newState.modelState ? newState.modelState.position : null); var newViewPosition = (newState.viewState ? newState.viewState.position : null); for (var i = 0, len = states.length; i < len; i++) { var state = states[i]; if (newModelPosition && !state.modelState.selection.containsPosition(newModelPosition)) { continue; } if (newViewPosition && !state.viewState.selection.containsPosition(newViewPosition)) { continue; } // => Remove the cursor states.splice(i, 1); cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, states); return; } } // => Add the new cursor states.push(newState); cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, states); }; return class_4; }(CoreEditorCommand))); CoreNavigationCommands.LastCursorMoveToSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_5, _super); function class_5() { return _super.call(this, { id: '_lastCursorMoveToSelect', precondition: null }) || this; } class_5.prototype.runCoreEditorCommand = function (cursors, args) { var context = cursors.context; var lastAddedCursorIndex = cursors.getLastAddedCursorIndex(); var states = cursors.getAll(); var newStates = states.slice(0); newStates[lastAddedCursorIndex] = __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveTo(context, states[lastAddedCursorIndex], true, args.position, args.viewPosition); cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, newStates); }; return class_5; }(CoreEditorCommand))); var HomeCommand = /** @class */ (function (_super) { __extends(HomeCommand, _super); function HomeCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } HomeCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveToBeginningOfLine(cursors.context, cursors.getAll(), this._inSelectionMode)); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return HomeCommand; }(CoreEditorCommand)); CoreNavigationCommands.CursorHome = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new HomeCommand({ inSelectionMode: false, id: 'cursorHome', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 14 /* Home */, mac: { primary: 14 /* Home */, secondary: [2048 /* CtrlCmd */ | 15 /* LeftArrow */] } } })); CoreNavigationCommands.CursorHomeSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new HomeCommand({ inSelectionMode: true, id: 'cursorHomeSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 14 /* Home */, mac: { primary: 1024 /* Shift */ | 14 /* Home */, secondary: [2048 /* CtrlCmd */ | 1024 /* Shift */ | 15 /* LeftArrow */] } } })); CoreNavigationCommands.CursorLineStart = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_6, _super); function class_6() { return _super.call(this, { id: 'cursorLineStart', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 0, mac: { primary: 256 /* WinCtrl */ | 31 /* KEY_A */ } } }) || this; } class_6.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, this._exec(cursors.context, cursors.getAll())); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; class_6.prototype._exec = function (context, cursors) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var lineNumber = cursor.modelState.position.lineNumber; result[i] = __WEBPACK_IMPORTED_MODULE_5__common_controller_cursorCommon_js__["d" /* CursorState */].fromModelState(cursor.modelState.move(false, lineNumber, 1, 0)); } return result; }; return class_6; }(CoreEditorCommand))); var EndCommand = /** @class */ (function (_super) { __extends(EndCommand, _super); function EndCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } EndCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveToEndOfLine(cursors.context, cursors.getAll(), this._inSelectionMode)); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return EndCommand; }(CoreEditorCommand)); CoreNavigationCommands.CursorEnd = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new EndCommand({ inSelectionMode: false, id: 'cursorEnd', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 13 /* End */, mac: { primary: 13 /* End */, secondary: [2048 /* CtrlCmd */ | 17 /* RightArrow */] } } })); CoreNavigationCommands.CursorEndSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new EndCommand({ inSelectionMode: true, id: 'cursorEndSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1024 /* Shift */ | 13 /* End */, mac: { primary: 1024 /* Shift */ | 13 /* End */, secondary: [2048 /* CtrlCmd */ | 1024 /* Shift */ | 17 /* RightArrow */] } } })); CoreNavigationCommands.CursorLineEnd = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_7, _super); function class_7() { return _super.call(this, { id: 'cursorLineEnd', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 0, mac: { primary: 256 /* WinCtrl */ | 35 /* KEY_E */ } } }) || this; } class_7.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, this._exec(cursors.context, cursors.getAll())); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; class_7.prototype._exec = function (context, cursors) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var lineNumber = cursor.modelState.position.lineNumber; var maxColumn = context.model.getLineMaxColumn(lineNumber); result[i] = __WEBPACK_IMPORTED_MODULE_5__common_controller_cursorCommon_js__["d" /* CursorState */].fromModelState(cursor.modelState.move(false, lineNumber, maxColumn, 0)); } return result; }; return class_7; }(CoreEditorCommand))); var TopCommand = /** @class */ (function (_super) { __extends(TopCommand, _super); function TopCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } TopCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveToBeginningOfBuffer(cursors.context, cursors.getAll(), this._inSelectionMode)); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return TopCommand; }(CoreEditorCommand)); CoreNavigationCommands.CursorTop = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new TopCommand({ inSelectionMode: false, id: 'cursorTop', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 14 /* Home */, mac: { primary: 2048 /* CtrlCmd */ | 16 /* UpArrow */ } } })); CoreNavigationCommands.CursorTopSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new TopCommand({ inSelectionMode: true, id: 'cursorTopSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 14 /* Home */, mac: { primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 16 /* UpArrow */ } } })); var BottomCommand = /** @class */ (function (_super) { __extends(BottomCommand, _super); function BottomCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } BottomCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].moveToEndOfBuffer(cursors.context, cursors.getAll(), this._inSelectionMode)); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return BottomCommand; }(CoreEditorCommand)); CoreNavigationCommands.CursorBottom = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new BottomCommand({ inSelectionMode: false, id: 'cursorBottom', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 13 /* End */, mac: { primary: 2048 /* CtrlCmd */ | 18 /* DownArrow */ } } })); CoreNavigationCommands.CursorBottomSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new BottomCommand({ inSelectionMode: true, id: 'cursorBottomSelect', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 13 /* End */, mac: { primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 18 /* DownArrow */ } } })); var EditorScrollImpl = /** @class */ (function (_super) { __extends(EditorScrollImpl, _super); function EditorScrollImpl() { return _super.call(this, { id: 'editorScroll', precondition: null, description: EditorScroll_.description }) || this; } EditorScrollImpl.prototype.runCoreEditorCommand = function (cursors, args) { var parsed = EditorScroll_.parse(args); if (!parsed) { // illegal arguments return; } this._runEditorScroll(cursors, args.source, parsed); }; EditorScrollImpl.prototype._runEditorScroll = function (cursors, source, args) { var desiredScrollTop = this._computeDesiredScrollTop(cursors.context, args); if (args.revealCursor) { // must ensure cursor is in new visible range var desiredVisibleViewRange = cursors.context.getCompletelyVisibleViewRangeAtScrollTop(desiredScrollTop); cursors.setStates(source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].findPositionInViewportIfOutside(cursors.context, cursors.getPrimaryCursor(), desiredVisibleViewRange, args.select) ]); } cursors.scrollTo(desiredScrollTop); }; EditorScrollImpl.prototype._computeDesiredScrollTop = function (context, args) { if (args.unit === 1 /* Line */) { // scrolling by model lines var visibleModelRange = context.getCompletelyVisibleModelRange(); var desiredTopModelLineNumber = void 0; if (args.direction === 1 /* Up */) { // must go x model lines up desiredTopModelLineNumber = Math.max(1, visibleModelRange.startLineNumber - args.value); } else { // must go x model lines down desiredTopModelLineNumber = Math.min(context.model.getLineCount(), visibleModelRange.startLineNumber + args.value); } var desiredTopViewPosition = context.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_9__common_core_position_js__["a" /* Position */](desiredTopModelLineNumber, 1)); return context.getVerticalOffsetForViewLine(desiredTopViewPosition.lineNumber); } var noOfLines; if (args.unit === 3 /* Page */) { noOfLines = context.config.pageSize * args.value; } else if (args.unit === 4 /* HalfPage */) { noOfLines = Math.round(context.config.pageSize / 2) * args.value; } else { noOfLines = args.value; } var deltaLines = (args.direction === 1 /* Up */ ? -1 : 1) * noOfLines; return context.getCurrentScrollTop() + deltaLines * context.config.lineHeight; }; return EditorScrollImpl; }(CoreEditorCommand)); CoreNavigationCommands.EditorScrollImpl = EditorScrollImpl; CoreNavigationCommands.EditorScroll = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new EditorScrollImpl()); CoreNavigationCommands.ScrollLineUp = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_8, _super); function class_8() { return _super.call(this, { id: 'scrollLineUp', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 16 /* UpArrow */, mac: { primary: 256 /* WinCtrl */ | 11 /* PageUp */ } } }) || this; } class_8.prototype.runCoreEditorCommand = function (cursors, args) { CoreNavigationCommands.EditorScroll._runEditorScroll(cursors, args.source, { direction: 1 /* Up */, unit: 2 /* WrappedLine */, value: 1, revealCursor: false, select: false }); }; return class_8; }(CoreEditorCommand))); CoreNavigationCommands.ScrollPageUp = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_9, _super); function class_9() { return _super.call(this, { id: 'scrollPageUp', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 11 /* PageUp */, win: { primary: 512 /* Alt */ | 11 /* PageUp */ }, linux: { primary: 512 /* Alt */ | 11 /* PageUp */ } } }) || this; } class_9.prototype.runCoreEditorCommand = function (cursors, args) { CoreNavigationCommands.EditorScroll._runEditorScroll(cursors, args.source, { direction: 1 /* Up */, unit: 3 /* Page */, value: 1, revealCursor: false, select: false }); }; return class_9; }(CoreEditorCommand))); CoreNavigationCommands.ScrollLineDown = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_10, _super); function class_10() { return _super.call(this, { id: 'scrollLineDown', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 18 /* DownArrow */, mac: { primary: 256 /* WinCtrl */ | 12 /* PageDown */ } } }) || this; } class_10.prototype.runCoreEditorCommand = function (cursors, args) { CoreNavigationCommands.EditorScroll._runEditorScroll(cursors, args.source, { direction: 2 /* Down */, unit: 2 /* WrappedLine */, value: 1, revealCursor: false, select: false }); }; return class_10; }(CoreEditorCommand))); CoreNavigationCommands.ScrollPageDown = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_11, _super); function class_11() { return _super.call(this, { id: 'scrollPageDown', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 12 /* PageDown */, win: { primary: 512 /* Alt */ | 12 /* PageDown */ }, linux: { primary: 512 /* Alt */ | 12 /* PageDown */ } } }) || this; } class_11.prototype.runCoreEditorCommand = function (cursors, args) { CoreNavigationCommands.EditorScroll._runEditorScroll(cursors, args.source, { direction: 2 /* Down */, unit: 3 /* Page */, value: 1, revealCursor: false, select: false }); }; return class_11; }(CoreEditorCommand))); var WordCommand = /** @class */ (function (_super) { __extends(WordCommand, _super); function WordCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } WordCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].word(cursors.context, cursors.getPrimaryCursor(), this._inSelectionMode, args.position) ]); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return WordCommand; }(CoreEditorCommand)); CoreNavigationCommands.WordSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new WordCommand({ inSelectionMode: false, id: '_wordSelect', precondition: null })); CoreNavigationCommands.WordSelectDrag = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new WordCommand({ inSelectionMode: true, id: '_wordSelectDrag', precondition: null })); CoreNavigationCommands.LastCursorWordSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_12, _super); function class_12() { return _super.call(this, { id: 'lastCursorWordSelect', precondition: null }) || this; } class_12.prototype.runCoreEditorCommand = function (cursors, args) { var context = cursors.context; var lastAddedCursorIndex = cursors.getLastAddedCursorIndex(); var states = cursors.getAll(); var newStates = states.slice(0); var lastAddedState = states[lastAddedCursorIndex]; newStates[lastAddedCursorIndex] = __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].word(context, lastAddedState, lastAddedState.modelState.hasSelection(), args.position); context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, newStates); }; return class_12; }(CoreEditorCommand))); var LineCommand = /** @class */ (function (_super) { __extends(LineCommand, _super); function LineCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } LineCommand.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].line(cursors.context, cursors.getPrimaryCursor(), this._inSelectionMode, args.position, args.viewPosition) ]); cursors.reveal(false, 0 /* Primary */, 0 /* Smooth */); }; return LineCommand; }(CoreEditorCommand)); CoreNavigationCommands.LineSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new LineCommand({ inSelectionMode: false, id: '_lineSelect', precondition: null })); CoreNavigationCommands.LineSelectDrag = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new LineCommand({ inSelectionMode: true, id: '_lineSelectDrag', precondition: null })); var LastCursorLineCommand = /** @class */ (function (_super) { __extends(LastCursorLineCommand, _super); function LastCursorLineCommand(opts) { var _this = _super.call(this, opts) || this; _this._inSelectionMode = opts.inSelectionMode; return _this; } LastCursorLineCommand.prototype.runCoreEditorCommand = function (cursors, args) { var lastAddedCursorIndex = cursors.getLastAddedCursorIndex(); var states = cursors.getAll(); var newStates = states.slice(0); newStates[lastAddedCursorIndex] = __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].line(cursors.context, states[lastAddedCursorIndex], this._inSelectionMode, args.position, args.viewPosition); cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, newStates); }; return LastCursorLineCommand; }(CoreEditorCommand)); CoreNavigationCommands.LastCursorLineSelect = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new LastCursorLineCommand({ inSelectionMode: false, id: 'lastCursorLineSelect', precondition: null })); CoreNavigationCommands.LastCursorLineSelectDrag = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new LastCursorLineCommand({ inSelectionMode: true, id: 'lastCursorLineSelectDrag', precondition: null })); CoreNavigationCommands.ExpandLineSelection = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_13, _super); function class_13() { return _super.call(this, { id: 'expandLineSelection', precondition: null, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 42 /* KEY_L */ } }) || this; } class_13.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].expandLineSelection(cursors.context, cursors.getAll())); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return class_13; }(CoreEditorCommand))); CoreNavigationCommands.CancelSelection = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_14, _super); function class_14() { return _super.call(this, { id: 'cancelSelection', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasNonEmptySelection, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 9 /* Escape */, secondary: [1024 /* Shift */ | 9 /* Escape */] } }) || this; } class_14.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].cancelSelection(cursors.context, cursors.getPrimaryCursor()) ]); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return class_14; }(CoreEditorCommand))); CoreNavigationCommands.RemoveSecondaryCursors = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_15, _super); function class_15() { return _super.call(this, { id: 'removeSecondaryCursors', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].hasMultipleSelections, kbOpts: { weight: CORE_WEIGHT + 1, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 9 /* Escape */, secondary: [1024 /* Shift */ | 9 /* Escape */] } }) || this; } class_15.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ cursors.getPrimaryCursor() ]); cursors.reveal(true, 0 /* Primary */, 0 /* Smooth */); }; return class_15; }(CoreEditorCommand))); CoreNavigationCommands.RevealLine = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_16, _super); function class_16() { return _super.call(this, { id: 'revealLine', precondition: null, description: RevealLine_.description }) || this; } class_16.prototype.runCoreEditorCommand = function (cursors, args) { var revealLineArg = args; var lineNumber = (revealLineArg.lineNumber || 0) + 1; if (lineNumber < 1) { lineNumber = 1; } var lineCount = cursors.context.model.getLineCount(); if (lineNumber > lineCount) { lineNumber = lineCount; } var range = new __WEBPACK_IMPORTED_MODULE_10__common_core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, cursors.context.model.getLineMaxColumn(lineNumber)); var revealAt = 0 /* Simple */; if (revealLineArg.at) { switch (revealLineArg.at) { case RevealLine_.RawAtArgument.Top: revealAt = 3 /* Top */; break; case RevealLine_.RawAtArgument.Center: revealAt = 1 /* Center */; break; case RevealLine_.RawAtArgument.Bottom: revealAt = 4 /* Bottom */; break; default: break; } } var viewRange = cursors.context.convertModelRangeToViewRange(range); cursors.revealRange(false, viewRange, revealAt, 0 /* Smooth */); }; return class_16; }(CoreEditorCommand))); CoreNavigationCommands.SelectAll = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_17, _super); function class_17() { return _super.call(this, { id: 'selectAll', precondition: null }) || this; } class_17.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_7__common_controller_cursorMoveCommands_js__["b" /* CursorMoveCommands */].selectAll(cursors.context, cursors.getPrimaryCursor()) ]); }; return class_17; }(CoreEditorCommand))); CoreNavigationCommands.SetSelection = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_18, _super); function class_18() { return _super.call(this, { id: 'setSelection', precondition: null }) || this; } class_18.prototype.runCoreEditorCommand = function (cursors, args) { cursors.context.model.pushStackElement(); cursors.setStates(args.source, 3 /* Explicit */, [ __WEBPACK_IMPORTED_MODULE_5__common_controller_cursorCommon_js__["d" /* CursorState */].fromModelSelection(args.selection) ]); }; return class_18; }(CoreEditorCommand))); })(CoreNavigationCommands || (CoreNavigationCommands = {})); var CoreEditingCommands; (function (CoreEditingCommands) { var CoreEditingCommand = /** @class */ (function (_super) { __extends(CoreEditingCommand, _super); function CoreEditingCommand() { return _super !== null && _super.apply(this, arguments) || this; } CoreEditingCommand.prototype.runEditorCommand = function (accessor, editor, args) { var cursors = editor._getCursors(); if (!cursors) { // the editor has no view => has no cursors return; } this.runCoreEditingCommand(editor, cursors, args || {}); }; return CoreEditingCommand; }(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["c" /* EditorCommand */])); CoreEditingCommands.CoreEditingCommand = CoreEditingCommand; CoreEditingCommands.LineBreakInsert = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_19, _super); function class_19() { return _super.call(this, { id: 'lineBreakInsert', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 0, mac: { primary: 256 /* WinCtrl */ | 45 /* KEY_O */ } } }) || this; } class_19.prototype.runCoreEditingCommand = function (editor, cursors, args) { editor.pushUndoStop(); editor.executeCommands(this.id, __WEBPACK_IMPORTED_MODULE_8__common_controller_cursorTypeOperations_js__["a" /* TypeOperations */].lineBreakInsert(cursors.context.config, cursors.context.model, cursors.getAll().map(function (s) { return s.modelState.selection; }))); }; return class_19; }(CoreEditingCommand))); CoreEditingCommands.Outdent = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_20, _super); function class_20() { return _super.call(this, { id: 'outdent', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_13__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].and(__WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].editorTextFocus, __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].tabDoesNotMoveFocus), primary: 1024 /* Shift */ | 2 /* Tab */ } }) || this; } class_20.prototype.runCoreEditingCommand = function (editor, cursors, args) { editor.pushUndoStop(); editor.executeCommands(this.id, __WEBPACK_IMPORTED_MODULE_8__common_controller_cursorTypeOperations_js__["a" /* TypeOperations */].outdent(cursors.context.config, cursors.context.model, cursors.getAll().map(function (s) { return s.modelState.selection; }))); editor.pushUndoStop(); }; return class_20; }(CoreEditingCommand))); CoreEditingCommands.Tab = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_21, _super); function class_21() { return _super.call(this, { id: 'tab', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_13__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].and(__WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].editorTextFocus, __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].tabDoesNotMoveFocus), primary: 2 /* Tab */ } }) || this; } class_21.prototype.runCoreEditingCommand = function (editor, cursors, args) { editor.pushUndoStop(); editor.executeCommands(this.id, __WEBPACK_IMPORTED_MODULE_8__common_controller_cursorTypeOperations_js__["a" /* TypeOperations */].tab(cursors.context.config, cursors.context.model, cursors.getAll().map(function (s) { return s.modelState.selection; }))); editor.pushUndoStop(); }; return class_21; }(CoreEditingCommand))); CoreEditingCommands.DeleteLeft = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_22, _super); function class_22() { return _super.call(this, { id: 'deleteLeft', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 1 /* Backspace */, secondary: [1024 /* Shift */ | 1 /* Backspace */], mac: { primary: 1 /* Backspace */, secondary: [1024 /* Shift */ | 1 /* Backspace */, 256 /* WinCtrl */ | 38 /* KEY_H */, 256 /* WinCtrl */ | 1 /* Backspace */] } } }) || this; } class_22.prototype.runCoreEditingCommand = function (editor, cursors, args) { var _a = __WEBPACK_IMPORTED_MODULE_6__common_controller_cursorDeleteOperations_js__["a" /* DeleteOperations */].deleteLeft(cursors.getPrevEditOperationType(), cursors.context.config, cursors.context.model, cursors.getAll().map(function (s) { return s.modelState.selection; })), shouldPushStackElementBefore = _a[0], commands = _a[1]; if (shouldPushStackElementBefore) { editor.pushUndoStop(); } editor.executeCommands(this.id, commands); cursors.setPrevEditOperationType(2 /* DeletingLeft */); }; return class_22; }(CoreEditingCommand))); CoreEditingCommands.DeleteRight = Object(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["f" /* registerEditorCommand */])(new /** @class */ (function (_super) { __extends(class_23, _super); function class_23() { return _super.call(this, { id: 'deleteRight', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 20 /* Delete */, mac: { primary: 20 /* Delete */, secondary: [256 /* WinCtrl */ | 34 /* KEY_D */, 256 /* WinCtrl */ | 20 /* Delete */] } } }) || this; } class_23.prototype.runCoreEditingCommand = function (editor, cursors, args) { var _a = __WEBPACK_IMPORTED_MODULE_6__common_controller_cursorDeleteOperations_js__["a" /* DeleteOperations */].deleteRight(cursors.getPrevEditOperationType(), cursors.context.config, cursors.context.model, cursors.getAll().map(function (s) { return s.modelState.selection; })), shouldPushStackElementBefore = _a[0], commands = _a[1]; if (shouldPushStackElementBefore) { editor.pushUndoStop(); } editor.executeCommands(this.id, commands); cursors.setPrevEditOperationType(3 /* DeletingRight */); }; return class_23; }(CoreEditingCommand))); })(CoreEditingCommands || (CoreEditingCommands = {})); function registerCommand(command) { command.register(); } /** * A command that will: * 1. invoke a command on the focused editor. * 2. otherwise, invoke a browser built-in command on the `activeElement`. * 3. otherwise, invoke a command on the workbench active editor. */ var EditorOrNativeTextInputCommand = /** @class */ (function (_super) { __extends(EditorOrNativeTextInputCommand, _super); function EditorOrNativeTextInputCommand(opts) { var _this = _super.call(this, opts) || this; _this._editorHandler = opts.editorHandler; _this._inputHandler = opts.inputHandler; return _this; } EditorOrNativeTextInputCommand.prototype.runCommand = function (accessor, args) { var focusedEditor = accessor.get(__WEBPACK_IMPORTED_MODULE_3__services_codeEditorService_js__["a" /* ICodeEditorService */]).getFocusedCodeEditor(); // Only if editor text focus (i.e. not if editor has widget focus). if (focusedEditor && focusedEditor.hasTextFocus()) { return this._runEditorHandler(accessor, focusedEditor, args); } // Ignore this action when user is focused on an element that allows for entering text var activeElement = document.activeElement; if (activeElement && ['input', 'textarea'].indexOf(activeElement.tagName.toLowerCase()) >= 0) { document.execCommand(this._inputHandler); return; } // Redirecting to active editor var activeEditor = accessor.get(__WEBPACK_IMPORTED_MODULE_3__services_codeEditorService_js__["a" /* ICodeEditorService */]).getActiveCodeEditor(); if (activeEditor) { activeEditor.focus(); return this._runEditorHandler(accessor, activeEditor, args); } }; EditorOrNativeTextInputCommand.prototype._runEditorHandler = function (accessor, editor, args) { var HANDLER = this._editorHandler; if (typeof HANDLER === 'string') { editor.trigger('keyboard', HANDLER, args); } else { args = args || {}; args.source = 'keyboard'; HANDLER.runEditorCommand(accessor, editor, args); } }; return EditorOrNativeTextInputCommand; }(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["a" /* Command */])); /** * A command that will invoke a command on the focused editor. */ var EditorHandlerCommand = /** @class */ (function (_super) { __extends(EditorHandlerCommand, _super); function EditorHandlerCommand(id, handlerId, description) { var _this = _super.call(this, { id: id, precondition: null, description: description }) || this; _this._handlerId = handlerId; return _this; } EditorHandlerCommand.prototype.runCommand = function (accessor, args) { var editor = accessor.get(__WEBPACK_IMPORTED_MODULE_3__services_codeEditorService_js__["a" /* ICodeEditorService */]).getFocusedCodeEditor(); if (!editor) { return; } editor.trigger('keyboard', this._handlerId, args); }; return EditorHandlerCommand; }(__WEBPACK_IMPORTED_MODULE_2__editorExtensions_js__["a" /* Command */])); registerCommand(new EditorOrNativeTextInputCommand({ editorHandler: CoreNavigationCommands.SelectAll, inputHandler: 'selectAll', id: 'editor.action.selectAll', precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, kbOpts: { weight: CORE_WEIGHT, kbExpr: null, primary: 2048 /* CtrlCmd */ | 31 /* KEY_A */ }, menubarOpts: { menuId: 22 /* MenubarSelectionMenu */, group: '1_basic', title: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'miSelectAll', comment: ['&& denotes a mnemonic'] }, "&&Select All"), order: 1 } })); registerCommand(new EditorOrNativeTextInputCommand({ editorHandler: __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Undo, inputHandler: 'undo', id: __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Undo, precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 56 /* KEY_Z */ }, menubarOpts: { menuId: 14 /* MenubarEditMenu */, group: '1_do', title: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'miUndo', comment: ['&& denotes a mnemonic'] }, "&&Undo"), order: 1 } })); registerCommand(new EditorHandlerCommand('default:' + __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Undo, __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Undo)); registerCommand(new EditorOrNativeTextInputCommand({ editorHandler: __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Redo, inputHandler: 'redo', id: __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Redo, precondition: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].writable, kbOpts: { weight: CORE_WEIGHT, kbExpr: __WEBPACK_IMPORTED_MODULE_12__common_editorContextKeys_js__["a" /* EditorContextKeys */].textInputFocus, primary: 2048 /* CtrlCmd */ | 55 /* KEY_Y */, secondary: [2048 /* CtrlCmd */ | 1024 /* Shift */ | 56 /* KEY_Z */], mac: { primary: 2048 /* CtrlCmd */ | 1024 /* Shift */ | 56 /* KEY_Z */ } }, menubarOpts: { menuId: 14 /* MenubarEditMenu */, group: '1_do', title: __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]({ key: 'miRedo', comment: ['&& denotes a mnemonic'] }, "&&Redo"), order: 2 } })); registerCommand(new EditorHandlerCommand('default:' + __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Redo, __WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Redo)); function registerOverwritableCommand(handlerId, description) { registerCommand(new EditorHandlerCommand('default:' + handlerId, handlerId)); registerCommand(new EditorHandlerCommand(handlerId, handlerId, description)); } registerOverwritableCommand(__WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Type, { description: "Type", args: [{ name: 'args', schema: { 'type': 'object', 'required': ['text'], 'properties': { 'text': { 'type': 'string' } }, } }] }); registerOverwritableCommand(__WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].ReplacePreviousChar); registerOverwritableCommand(__WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].CompositionStart); registerOverwritableCommand(__WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].CompositionEnd); registerOverwritableCommand(__WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Paste); registerOverwritableCommand(__WEBPACK_IMPORTED_MODULE_11__common_editorCommon_js__["b" /* Handler */].Cut); /***/ }), /***/ 1941: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ColumnSelection; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ColumnSelection = /** @class */ (function () { function ColumnSelection() { } ColumnSelection._columnSelect = function (config, model, fromLineNumber, fromVisibleColumn, toLineNumber, toVisibleColumn) { var lineCount = Math.abs(toLineNumber - fromLineNumber) + 1; var reversed = (fromLineNumber > toLineNumber); var isRTL = (fromVisibleColumn > toVisibleColumn); var isLTR = (fromVisibleColumn < toVisibleColumn); var result = []; // console.log(`fromVisibleColumn: ${fromVisibleColumn}, toVisibleColumn: ${toVisibleColumn}`); for (var i = 0; i < lineCount; i++) { var lineNumber = fromLineNumber + (reversed ? -i : i); var startColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].columnFromVisibleColumn2(config, model, lineNumber, fromVisibleColumn); var endColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].columnFromVisibleColumn2(config, model, lineNumber, toVisibleColumn); var visibleStartColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](lineNumber, startColumn)); var visibleEndColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](lineNumber, endColumn)); // console.log(`lineNumber: ${lineNumber}: visibleStartColumn: ${visibleStartColumn}, visibleEndColumn: ${visibleEndColumn}`); if (isLTR) { if (visibleStartColumn > toVisibleColumn) { continue; } if (visibleEndColumn < fromVisibleColumn) { continue; } } if (isRTL) { if (visibleEndColumn > fromVisibleColumn) { continue; } if (visibleStartColumn < toVisibleColumn) { continue; } } result.push(new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](lineNumber, startColumn, lineNumber, startColumn), 0, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](lineNumber, endColumn), 0)); } return { viewStates: result, reversed: reversed, toLineNumber: toLineNumber, toVisualColumn: toVisibleColumn }; }; ColumnSelection.columnSelect = function (config, model, fromViewSelection, toViewLineNumber, toViewVisualColumn) { var fromViewPosition = new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](fromViewSelection.selectionStartLineNumber, fromViewSelection.selectionStartColumn); var fromViewVisibleColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, fromViewPosition); return ColumnSelection._columnSelect(config, model, fromViewPosition.lineNumber, fromViewVisibleColumn, toViewLineNumber, toViewVisualColumn); }; ColumnSelection.columnSelectLeft = function (config, model, cursor, toViewLineNumber, toViewVisualColumn) { if (toViewVisualColumn > 1) { toViewVisualColumn--; } return this.columnSelect(config, model, cursor.selection, toViewLineNumber, toViewVisualColumn); }; ColumnSelection.columnSelectRight = function (config, model, cursor, toViewLineNumber, toViewVisualColumn) { var maxVisualViewColumn = 0; var minViewLineNumber = Math.min(cursor.position.lineNumber, toViewLineNumber); var maxViewLineNumber = Math.max(cursor.position.lineNumber, toViewLineNumber); for (var lineNumber = minViewLineNumber; lineNumber <= maxViewLineNumber; lineNumber++) { var lineMaxViewColumn = model.getLineMaxColumn(lineNumber); var lineMaxVisualViewColumn = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(config, model, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](lineNumber, lineMaxViewColumn)); maxVisualViewColumn = Math.max(maxVisualViewColumn, lineMaxVisualViewColumn); } if (toViewVisualColumn < maxVisualViewColumn) { toViewVisualColumn++; } return this.columnSelect(config, model, cursor.selection, toViewLineNumber, toViewVisualColumn); }; ColumnSelection.columnSelectUp = function (config, model, cursor, isPaged, toViewLineNumber, toViewVisualColumn) { var linesCount = isPaged ? config.pageSize : 1; toViewLineNumber -= linesCount; if (toViewLineNumber < 1) { toViewLineNumber = 1; } return this.columnSelect(config, model, cursor.selection, toViewLineNumber, toViewVisualColumn); }; ColumnSelection.columnSelectDown = function (config, model, cursor, isPaged, toViewLineNumber, toViewVisualColumn) { var linesCount = isPaged ? config.pageSize : 1; toViewLineNumber += linesCount; if (toViewLineNumber > model.getLineCount()) { toViewLineNumber = model.getLineCount(); } return this.columnSelect(config, model, cursor.selection, toViewLineNumber, toViewVisualColumn); }; return ColumnSelection; }()); /***/ }), /***/ 1942: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StopWatch; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var hasPerformanceNow = (__WEBPACK_IMPORTED_MODULE_0__platform_js__["b" /* globals */].performance && typeof __WEBPACK_IMPORTED_MODULE_0__platform_js__["b" /* globals */].performance.now === 'function'); var StopWatch = /** @class */ (function () { function StopWatch(highResolution) { this._highResolution = hasPerformanceNow && highResolution; this._startTime = this._now(); this._stopTime = -1; } StopWatch.create = function (highResolution) { if (highResolution === void 0) { highResolution = true; } return new StopWatch(highResolution); }; StopWatch.prototype.stop = function () { this._stopTime = this._now(); }; StopWatch.prototype.elapsed = function () { if (this._stopTime !== -1) { return this._stopTime - this._startTime; } return this._now() - this._startTime; }; StopWatch.prototype._now = function () { return this._highResolution ? __WEBPACK_IMPORTED_MODULE_0__platform_js__["b" /* globals */].performance.now() : new Date().getTime(); }; return StopWatch; }()); /***/ }), /***/ 1943: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditStack; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var EditStackElement = /** @class */ (function () { function EditStackElement(beforeVersionId, beforeCursorState) { this.beforeVersionId = beforeVersionId; this.beforeCursorState = beforeCursorState; this.afterCursorState = null; this.afterVersionId = -1; this.editOperations = []; } EditStackElement.prototype.undo = function (model) { // Apply all operations in reverse order for (var i = this.editOperations.length - 1; i >= 0; i--) { this.editOperations[i] = { operations: model.applyEdits(this.editOperations[i].operations) }; } }; EditStackElement.prototype.redo = function (model) { // Apply all operations for (var i = 0; i < this.editOperations.length; i++) { this.editOperations[i] = { operations: model.applyEdits(this.editOperations[i].operations) }; } }; return EditStackElement; }()); function getModelEOL(model) { var eol = model.getEOL(); if (eol === '\n') { return 0 /* LF */; } else { return 1 /* CRLF */; } } var EOLStackElement = /** @class */ (function () { function EOLStackElement(beforeVersionId, setEOL) { this.beforeVersionId = beforeVersionId; this.beforeCursorState = null; this.afterCursorState = null; this.afterVersionId = -1; this.eol = setEOL; } EOLStackElement.prototype.undo = function (model) { var redoEOL = getModelEOL(model); model.setEOL(this.eol); this.eol = redoEOL; }; EOLStackElement.prototype.redo = function (model) { var undoEOL = getModelEOL(model); model.setEOL(this.eol); this.eol = undoEOL; }; return EOLStackElement; }()); var EditStack = /** @class */ (function () { function EditStack(model) { this.model = model; this.currentOpenStackElement = null; this.past = []; this.future = []; } EditStack.prototype.pushStackElement = function () { if (this.currentOpenStackElement !== null) { this.past.push(this.currentOpenStackElement); this.currentOpenStackElement = null; } }; EditStack.prototype.clear = function () { this.currentOpenStackElement = null; this.past = []; this.future = []; }; EditStack.prototype.pushEOL = function (eol) { // No support for parallel universes :( this.future = []; if (this.currentOpenStackElement) { this.pushStackElement(); } var prevEOL = getModelEOL(this.model); var stackElement = new EOLStackElement(this.model.getAlternativeVersionId(), prevEOL); this.model.setEOL(eol); stackElement.afterVersionId = this.model.getVersionId(); this.currentOpenStackElement = stackElement; this.pushStackElement(); }; EditStack.prototype.pushEditOperation = function (beforeCursorState, editOperations, cursorStateComputer) { // No support for parallel universes :( this.future = []; var stackElement = null; if (this.currentOpenStackElement) { if (this.currentOpenStackElement instanceof EditStackElement) { stackElement = this.currentOpenStackElement; } else { this.pushStackElement(); } } if (!this.currentOpenStackElement) { stackElement = new EditStackElement(this.model.getAlternativeVersionId(), beforeCursorState); this.currentOpenStackElement = stackElement; } var inverseEditOperation = { operations: this.model.applyEdits(editOperations) }; stackElement.editOperations.push(inverseEditOperation); stackElement.afterCursorState = EditStack._computeCursorState(cursorStateComputer, inverseEditOperation.operations); stackElement.afterVersionId = this.model.getVersionId(); return stackElement.afterCursorState; }; EditStack._computeCursorState = function (cursorStateComputer, inverseEditOperations) { try { return cursorStateComputer ? cursorStateComputer(inverseEditOperations) : null; } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); return null; } }; EditStack.prototype.undo = function () { this.pushStackElement(); if (this.past.length > 0) { var pastStackElement = this.past.pop(); try { pastStackElement.undo(this.model); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); this.clear(); return null; } this.future.push(pastStackElement); return { selections: pastStackElement.beforeCursorState, recordedVersionId: pastStackElement.beforeVersionId }; } return null; }; EditStack.prototype.canUndo = function () { return (this.past.length > 0) || this.currentOpenStackElement !== null; }; EditStack.prototype.redo = function () { if (this.future.length > 0) { var futureStackElement = this.future.pop(); try { futureStackElement.redo(this.model); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(e); this.clear(); return null; } this.past.push(futureStackElement); return { selections: futureStackElement.afterCursorState, recordedVersionId: futureStackElement.afterVersionId }; } return null; }; EditStack.prototype.canRedo = function () { return (this.future.length > 0); }; return EditStack; }()); /***/ }), /***/ 1944: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = guessIndentation; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var SpacesDiffResult = /** @class */ (function () { function SpacesDiffResult() { } return SpacesDiffResult; }()); /** * Compute the diff in spaces between two line's indentation. */ function spacesDiff(a, aLength, b, bLength, result) { result.spacesDiff = 0; result.looksLikeAlignment = false; // This can go both ways (e.g.): // - a: "\t" // - b: "\t " // => This should count 1 tab and 4 spaces var i; for (i = 0; i < aLength && i < bLength; i++) { var aCharCode = a.charCodeAt(i); var bCharCode = b.charCodeAt(i); if (aCharCode !== bCharCode) { break; } } var aSpacesCnt = 0, aTabsCount = 0; for (var j = i; j < aLength; j++) { var aCharCode = a.charCodeAt(j); if (aCharCode === 32 /* Space */) { aSpacesCnt++; } else { aTabsCount++; } } var bSpacesCnt = 0, bTabsCount = 0; for (var j = i; j < bLength; j++) { var bCharCode = b.charCodeAt(j); if (bCharCode === 32 /* Space */) { bSpacesCnt++; } else { bTabsCount++; } } if (aSpacesCnt > 0 && aTabsCount > 0) { return; } if (bSpacesCnt > 0 && bTabsCount > 0) { return; } var tabsDiff = Math.abs(aTabsCount - bTabsCount); var spacesDiff = Math.abs(aSpacesCnt - bSpacesCnt); if (tabsDiff === 0) { // check if the indentation difference might be caused by alignment reasons // sometime folks like to align their code, but this should not be used as a hint result.spacesDiff = spacesDiff; if (spacesDiff > 0 && 0 <= bSpacesCnt - 1 && bSpacesCnt - 1 < a.length && bSpacesCnt < b.length) { if (b.charCodeAt(bSpacesCnt) !== 32 /* Space */ && a.charCodeAt(bSpacesCnt - 1) === 32 /* Space */) { // This looks like an alignment desire: e.g. // const a = b + c, // d = b - c; result.looksLikeAlignment = true; } } return; } if (spacesDiff % tabsDiff === 0) { result.spacesDiff = spacesDiff / tabsDiff; return; } } function guessIndentation(source, defaultTabSize, defaultInsertSpaces) { // Look at most at the first 10k lines var linesCount = Math.min(source.getLineCount(), 10000); var linesIndentedWithTabsCount = 0; // number of lines that contain at least one tab in indentation var linesIndentedWithSpacesCount = 0; // number of lines that contain only spaces in indentation var previousLineText = ''; // content of latest line that contained non-whitespace chars var previousLineIndentation = 0; // index at which latest line contained the first non-whitespace char var ALLOWED_TAB_SIZE_GUESSES = [2, 4, 6, 8, 3, 5, 7]; // prefer even guesses for `tabSize`, limit to [2, 8]. var MAX_ALLOWED_TAB_SIZE_GUESS = 8; // max(ALLOWED_TAB_SIZE_GUESSES) = 8 var spacesDiffCount = [0, 0, 0, 0, 0, 0, 0, 0, 0]; // `tabSize` scores var tmp = new SpacesDiffResult(); for (var lineNumber = 1; lineNumber <= linesCount; lineNumber++) { var currentLineLength = source.getLineLength(lineNumber); var currentLineText = source.getLineContent(lineNumber); // if the text buffer is chunk based, so long lines are cons-string, v8 will flattern the string when we check charCode. // checking charCode on chunks directly is cheaper. var useCurrentLineText = (currentLineLength <= 65536); var currentLineHasContent = false; // does `currentLineText` contain non-whitespace chars var currentLineIndentation = 0; // index at which `currentLineText` contains the first non-whitespace char var currentLineSpacesCount = 0; // count of spaces found in `currentLineText` indentation var currentLineTabsCount = 0; // count of tabs found in `currentLineText` indentation for (var j = 0, lenJ = currentLineLength; j < lenJ; j++) { var charCode = (useCurrentLineText ? currentLineText.charCodeAt(j) : source.getLineCharCode(lineNumber, j)); if (charCode === 9 /* Tab */) { currentLineTabsCount++; } else if (charCode === 32 /* Space */) { currentLineSpacesCount++; } else { // Hit non whitespace character on this line currentLineHasContent = true; currentLineIndentation = j; break; } } // Ignore empty or only whitespace lines if (!currentLineHasContent) { continue; } if (currentLineTabsCount > 0) { linesIndentedWithTabsCount++; } else if (currentLineSpacesCount > 1) { linesIndentedWithSpacesCount++; } spacesDiff(previousLineText, previousLineIndentation, currentLineText, currentLineIndentation, tmp); if (tmp.looksLikeAlignment) { // skip this line entirely continue; } var currentSpacesDiff = tmp.spacesDiff; if (currentSpacesDiff <= MAX_ALLOWED_TAB_SIZE_GUESS) { spacesDiffCount[currentSpacesDiff]++; } previousLineText = currentLineText; previousLineIndentation = currentLineIndentation; } var insertSpaces = defaultInsertSpaces; if (linesIndentedWithTabsCount !== linesIndentedWithSpacesCount) { insertSpaces = (linesIndentedWithTabsCount < linesIndentedWithSpacesCount); } var tabSize = defaultTabSize; var tabSizeScore = (insertSpaces ? 0 : 0.1 * linesCount); // console.log("score threshold: " + tabSizeScore); ALLOWED_TAB_SIZE_GUESSES.forEach(function (possibleTabSize) { var possibleTabSizeScore = spacesDiffCount[possibleTabSize]; if (possibleTabSizeScore > tabSizeScore) { tabSizeScore = possibleTabSizeScore; tabSize = possibleTabSize; } }); // Let a tabSize of 2 win even if it is not the maximum // (only in case 4 was guessed) if (tabSize === 4 && spacesDiffCount[4] > 0 && spacesDiffCount[2] > 0 && spacesDiffCount[2] >= spacesDiffCount[4] / 2) { tabSize = 2; } // console.log('--------------------------'); // console.log('linesIndentedWithTabsCount: ' + linesIndentedWithTabsCount + ', linesIndentedWithSpacesCount: ' + linesIndentedWithSpacesCount); // console.log('spacesDiffCount: ' + spacesDiffCount); // console.log('tabSize: ' + tabSize + ', tabSizeScore: ' + tabSizeScore); return { insertSpaces: insertSpaces, tabSize: tabSize }; } /***/ }), /***/ 1945: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export getNodeColor */ /* harmony export (immutable) */ __webpack_exports__["c"] = getNodeIsInOverviewRuler; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IntervalNode; }); /* unused harmony export SENTINEL */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return IntervalTree; }); /* unused harmony export nodeAcceptEdit */ /* harmony export (immutable) */ __webpack_exports__["d"] = recomputeMaxEnd; /* unused harmony export intervalCompare */ /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function getNodeColor(node) { return ((node.metadata & 1 /* ColorMask */) >>> 0 /* ColorOffset */); } function setNodeColor(node, color) { node.metadata = ((node.metadata & 254 /* ColorMaskInverse */) | (color << 0 /* ColorOffset */)); } function getNodeIsVisited(node) { return ((node.metadata & 2 /* IsVisitedMask */) >>> 1 /* IsVisitedOffset */) === 1; } function setNodeIsVisited(node, value) { node.metadata = ((node.metadata & 253 /* IsVisitedMaskInverse */) | ((value ? 1 : 0) << 1 /* IsVisitedOffset */)); } function getNodeIsForValidation(node) { return ((node.metadata & 4 /* IsForValidationMask */) >>> 2 /* IsForValidationOffset */) === 1; } function setNodeIsForValidation(node, value) { node.metadata = ((node.metadata & 251 /* IsForValidationMaskInverse */) | ((value ? 1 : 0) << 2 /* IsForValidationOffset */)); } function getNodeIsInOverviewRuler(node) { return ((node.metadata & 8 /* IsInOverviewRulerMask */) >>> 3 /* IsInOverviewRulerOffset */) === 1; } function setNodeIsInOverviewRuler(node, value) { node.metadata = ((node.metadata & 247 /* IsInOverviewRulerMaskInverse */) | ((value ? 1 : 0) << 3 /* IsInOverviewRulerOffset */)); } function getNodeStickiness(node) { return ((node.metadata & 48 /* StickinessMask */) >>> 4 /* StickinessOffset */); } function _setNodeStickiness(node, stickiness) { node.metadata = ((node.metadata & 207 /* StickinessMaskInverse */) | (stickiness << 4 /* StickinessOffset */)); } function getCollapseOnReplaceEdit(node) { return ((node.metadata & 64 /* CollapseOnReplaceEditMask */) >>> 6 /* CollapseOnReplaceEditOffset */) === 1; } function setCollapseOnReplaceEdit(node, value) { node.metadata = ((node.metadata & 191 /* CollapseOnReplaceEditMaskInverse */) | ((value ? 1 : 0) << 6 /* CollapseOnReplaceEditOffset */)); } var IntervalNode = /** @class */ (function () { function IntervalNode(id, start, end) { this.metadata = 0; this.parent = this; this.left = this; this.right = this; setNodeColor(this, 1 /* Red */); this.start = start; this.end = end; // FORCE_OVERFLOWING_TEST: this.delta = start; this.delta = 0; this.maxEnd = end; this.id = id; this.ownerId = 0; this.options = null; setNodeIsForValidation(this, false); _setNodeStickiness(this, 1 /* NeverGrowsWhenTypingAtEdges */); setNodeIsInOverviewRuler(this, false); setCollapseOnReplaceEdit(this, false); this.cachedVersionId = 0; this.cachedAbsoluteStart = start; this.cachedAbsoluteEnd = end; this.range = null; setNodeIsVisited(this, false); } IntervalNode.prototype.reset = function (versionId, start, end, range) { this.start = start; this.end = end; this.maxEnd = end; this.cachedVersionId = versionId; this.cachedAbsoluteStart = start; this.cachedAbsoluteEnd = end; this.range = range; }; IntervalNode.prototype.setOptions = function (options) { this.options = options; var className = this.options.className; setNodeIsForValidation(this, (className === "squiggly-error" /* EditorErrorDecoration */ || className === "squiggly-warning" /* EditorWarningDecoration */ || className === "squiggly-info" /* EditorInfoDecoration */)); _setNodeStickiness(this, this.options.stickiness); setNodeIsInOverviewRuler(this, (this.options.overviewRuler && this.options.overviewRuler.color) ? true : false); setCollapseOnReplaceEdit(this, this.options.collapseOnReplaceEdit); }; IntervalNode.prototype.setCachedOffsets = function (absoluteStart, absoluteEnd, cachedVersionId) { if (this.cachedVersionId !== cachedVersionId) { this.range = null; } this.cachedVersionId = cachedVersionId; this.cachedAbsoluteStart = absoluteStart; this.cachedAbsoluteEnd = absoluteEnd; }; IntervalNode.prototype.detach = function () { this.parent = null; this.left = null; this.right = null; }; return IntervalNode; }()); var SENTINEL = new IntervalNode(null, 0, 0); SENTINEL.parent = SENTINEL; SENTINEL.left = SENTINEL; SENTINEL.right = SENTINEL; setNodeColor(SENTINEL, 0 /* Black */); var IntervalTree = /** @class */ (function () { function IntervalTree() { this.root = SENTINEL; this.requestNormalizeDelta = false; } IntervalTree.prototype.intervalSearch = function (start, end, filterOwnerId, filterOutValidation, cachedVersionId) { if (this.root === SENTINEL) { return []; } return intervalSearch(this, start, end, filterOwnerId, filterOutValidation, cachedVersionId); }; IntervalTree.prototype.search = function (filterOwnerId, filterOutValidation, cachedVersionId) { if (this.root === SENTINEL) { return []; } return search(this, filterOwnerId, filterOutValidation, cachedVersionId); }; /** * Will not set `cachedAbsoluteStart` nor `cachedAbsoluteEnd` on the returned nodes! */ IntervalTree.prototype.collectNodesFromOwner = function (ownerId) { return collectNodesFromOwner(this, ownerId); }; /** * Will not set `cachedAbsoluteStart` nor `cachedAbsoluteEnd` on the returned nodes! */ IntervalTree.prototype.collectNodesPostOrder = function () { return collectNodesPostOrder(this); }; IntervalTree.prototype.insert = function (node) { rbTreeInsert(this, node); this._normalizeDeltaIfNecessary(); }; IntervalTree.prototype.delete = function (node) { rbTreeDelete(this, node); this._normalizeDeltaIfNecessary(); }; IntervalTree.prototype.resolveNode = function (node, cachedVersionId) { var initialNode = node; var delta = 0; while (node !== this.root) { if (node === node.parent.right) { delta += node.parent.delta; } node = node.parent; } var nodeStart = initialNode.start + delta; var nodeEnd = initialNode.end + delta; initialNode.setCachedOffsets(nodeStart, nodeEnd, cachedVersionId); }; IntervalTree.prototype.acceptReplace = function (offset, length, textLength, forceMoveMarkers) { // Our strategy is to remove all directly impacted nodes, and then add them back to the tree. // (1) collect all nodes that are intersecting this edit as nodes of interest var nodesOfInterest = searchForEditing(this, offset, offset + length); // (2) remove all nodes that are intersecting this edit for (var i = 0, len = nodesOfInterest.length; i < len; i++) { var node = nodesOfInterest[i]; rbTreeDelete(this, node); } this._normalizeDeltaIfNecessary(); // (3) edit all tree nodes except the nodes of interest noOverlapReplace(this, offset, offset + length, textLength); this._normalizeDeltaIfNecessary(); // (4) edit the nodes of interest and insert them back in the tree for (var i = 0, len = nodesOfInterest.length; i < len; i++) { var node = nodesOfInterest[i]; node.start = node.cachedAbsoluteStart; node.end = node.cachedAbsoluteEnd; nodeAcceptEdit(node, offset, (offset + length), textLength, forceMoveMarkers); node.maxEnd = node.end; rbTreeInsert(this, node); } this._normalizeDeltaIfNecessary(); }; IntervalTree.prototype._normalizeDeltaIfNecessary = function () { if (!this.requestNormalizeDelta) { return; } this.requestNormalizeDelta = false; normalizeDelta(this); }; return IntervalTree; }()); //#region Delta Normalization function normalizeDelta(T) { var node = T.root; var delta = 0; while (node !== SENTINEL) { if (node.left !== SENTINEL && !getNodeIsVisited(node.left)) { // go left node = node.left; continue; } if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right delta += node.delta; node = node.right; continue; } // handle current node node.start = delta + node.start; node.end = delta + node.end; node.delta = 0; recomputeMaxEnd(node); setNodeIsVisited(node, true); // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); if (node === node.parent.right) { delta -= node.parent.delta; } node = node.parent; } setNodeIsVisited(T.root, false); } function adjustMarkerBeforeColumn(markerOffset, markerStickToPreviousCharacter, checkOffset, moveSemantics) { if (markerOffset < checkOffset) { return true; } if (markerOffset > checkOffset) { return false; } if (moveSemantics === 1 /* ForceMove */) { return false; } if (moveSemantics === 2 /* ForceStay */) { return true; } return markerStickToPreviousCharacter; } /** * This is a lot more complicated than strictly necessary to maintain the same behaviour * as when decorations were implemented using two markers. */ function nodeAcceptEdit(node, start, end, textLength, forceMoveMarkers) { var nodeStickiness = getNodeStickiness(node); var startStickToPreviousCharacter = (nodeStickiness === 0 /* AlwaysGrowsWhenTypingAtEdges */ || nodeStickiness === 2 /* GrowsOnlyWhenTypingBefore */); var endStickToPreviousCharacter = (nodeStickiness === 1 /* NeverGrowsWhenTypingAtEdges */ || nodeStickiness === 2 /* GrowsOnlyWhenTypingBefore */); var deletingCnt = (end - start); var insertingCnt = textLength; var commonLength = Math.min(deletingCnt, insertingCnt); var nodeStart = node.start; var startDone = false; var nodeEnd = node.end; var endDone = false; if (start <= nodeStart && nodeEnd <= end && getCollapseOnReplaceEdit(node)) { // This edit encompasses the entire decoration range // and the decoration has asked to become collapsed node.start = start; startDone = true; node.end = start; endDone = true; } { var moveSemantics = forceMoveMarkers ? 1 /* ForceMove */ : (deletingCnt > 0 ? 2 /* ForceStay */ : 0 /* MarkerDefined */); if (!startDone && adjustMarkerBeforeColumn(nodeStart, startStickToPreviousCharacter, start, moveSemantics)) { startDone = true; } if (!endDone && adjustMarkerBeforeColumn(nodeEnd, endStickToPreviousCharacter, start, moveSemantics)) { endDone = true; } } if (commonLength > 0 && !forceMoveMarkers) { var moveSemantics = (deletingCnt > insertingCnt ? 2 /* ForceStay */ : 0 /* MarkerDefined */); if (!startDone && adjustMarkerBeforeColumn(nodeStart, startStickToPreviousCharacter, start + commonLength, moveSemantics)) { startDone = true; } if (!endDone && adjustMarkerBeforeColumn(nodeEnd, endStickToPreviousCharacter, start + commonLength, moveSemantics)) { endDone = true; } } { var moveSemantics = forceMoveMarkers ? 1 /* ForceMove */ : 0 /* MarkerDefined */; if (!startDone && adjustMarkerBeforeColumn(nodeStart, startStickToPreviousCharacter, end, moveSemantics)) { node.start = start + insertingCnt; startDone = true; } if (!endDone && adjustMarkerBeforeColumn(nodeEnd, endStickToPreviousCharacter, end, moveSemantics)) { node.end = start + insertingCnt; endDone = true; } } // Finish var deltaColumn = (insertingCnt - deletingCnt); if (!startDone) { node.start = Math.max(0, nodeStart + deltaColumn); } if (!endDone) { node.end = Math.max(0, nodeEnd + deltaColumn); } if (node.start > node.end) { node.end = node.start; } } function searchForEditing(T, start, end) { // https://en.wikipedia.org/wiki/Interval_tree#Augmented_tree // Now, it is known that two intervals A and B overlap only when both // A.low <= B.high and A.high >= B.low. When searching the trees for // nodes overlapping with a given interval, you can immediately skip: // a) all nodes to the right of nodes whose low value is past the end of the given interval. // b) all nodes that have their maximum 'high' value below the start of the given interval. var node = T.root; var delta = 0; var nodeMaxEnd = 0; var nodeStart = 0; var nodeEnd = 0; var result = []; var resultLen = 0; while (node !== SENTINEL) { if (getNodeIsVisited(node)) { // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); if (node === node.parent.right) { delta -= node.parent.delta; } node = node.parent; continue; } if (!getNodeIsVisited(node.left)) { // first time seeing this node nodeMaxEnd = delta + node.maxEnd; if (nodeMaxEnd < start) { // cover case b) from above // there is no need to search this node or its children setNodeIsVisited(node, true); continue; } if (node.left !== SENTINEL) { // go left node = node.left; continue; } } // handle current node nodeStart = delta + node.start; if (nodeStart > end) { // cover case a) from above // there is no need to search this node or its right subtree setNodeIsVisited(node, true); continue; } nodeEnd = delta + node.end; if (nodeEnd >= start) { node.setCachedOffsets(nodeStart, nodeEnd, 0); result[resultLen++] = node; } setNodeIsVisited(node, true); if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right delta += node.delta; node = node.right; continue; } } setNodeIsVisited(T.root, false); return result; } function noOverlapReplace(T, start, end, textLength) { // https://en.wikipedia.org/wiki/Interval_tree#Augmented_tree // Now, it is known that two intervals A and B overlap only when both // A.low <= B.high and A.high >= B.low. When searching the trees for // nodes overlapping with a given interval, you can immediately skip: // a) all nodes to the right of nodes whose low value is past the end of the given interval. // b) all nodes that have their maximum 'high' value below the start of the given interval. var node = T.root; var delta = 0; var nodeMaxEnd = 0; var nodeStart = 0; var editDelta = (textLength - (end - start)); while (node !== SENTINEL) { if (getNodeIsVisited(node)) { // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); if (node === node.parent.right) { delta -= node.parent.delta; } recomputeMaxEnd(node); node = node.parent; continue; } if (!getNodeIsVisited(node.left)) { // first time seeing this node nodeMaxEnd = delta + node.maxEnd; if (nodeMaxEnd < start) { // cover case b) from above // there is no need to search this node or its children setNodeIsVisited(node, true); continue; } if (node.left !== SENTINEL) { // go left node = node.left; continue; } } // handle current node nodeStart = delta + node.start; if (nodeStart > end) { node.start += editDelta; node.end += editDelta; node.delta += editDelta; if (node.delta < -1073741824 /* MIN_SAFE_DELTA */ || node.delta > 1073741824 /* MAX_SAFE_DELTA */) { T.requestNormalizeDelta = true; } // cover case a) from above // there is no need to search this node or its right subtree setNodeIsVisited(node, true); continue; } setNodeIsVisited(node, true); if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right delta += node.delta; node = node.right; continue; } } setNodeIsVisited(T.root, false); } //#endregion //#region Searching function collectNodesFromOwner(T, ownerId) { var node = T.root; var result = []; var resultLen = 0; while (node !== SENTINEL) { if (getNodeIsVisited(node)) { // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); node = node.parent; continue; } if (node.left !== SENTINEL && !getNodeIsVisited(node.left)) { // go left node = node.left; continue; } // handle current node if (node.ownerId === ownerId) { result[resultLen++] = node; } setNodeIsVisited(node, true); if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right node = node.right; continue; } } setNodeIsVisited(T.root, false); return result; } function collectNodesPostOrder(T) { var node = T.root; var result = []; var resultLen = 0; while (node !== SENTINEL) { if (getNodeIsVisited(node)) { // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); node = node.parent; continue; } if (node.left !== SENTINEL && !getNodeIsVisited(node.left)) { // go left node = node.left; continue; } if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right node = node.right; continue; } // handle current node result[resultLen++] = node; setNodeIsVisited(node, true); } setNodeIsVisited(T.root, false); return result; } function search(T, filterOwnerId, filterOutValidation, cachedVersionId) { var node = T.root; var delta = 0; var nodeStart = 0; var nodeEnd = 0; var result = []; var resultLen = 0; while (node !== SENTINEL) { if (getNodeIsVisited(node)) { // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); if (node === node.parent.right) { delta -= node.parent.delta; } node = node.parent; continue; } if (node.left !== SENTINEL && !getNodeIsVisited(node.left)) { // go left node = node.left; continue; } // handle current node nodeStart = delta + node.start; nodeEnd = delta + node.end; node.setCachedOffsets(nodeStart, nodeEnd, cachedVersionId); var include = true; if (filterOwnerId && node.ownerId && node.ownerId !== filterOwnerId) { include = false; } if (filterOutValidation && getNodeIsForValidation(node)) { include = false; } if (include) { result[resultLen++] = node; } setNodeIsVisited(node, true); if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right delta += node.delta; node = node.right; continue; } } setNodeIsVisited(T.root, false); return result; } function intervalSearch(T, intervalStart, intervalEnd, filterOwnerId, filterOutValidation, cachedVersionId) { // https://en.wikipedia.org/wiki/Interval_tree#Augmented_tree // Now, it is known that two intervals A and B overlap only when both // A.low <= B.high and A.high >= B.low. When searching the trees for // nodes overlapping with a given interval, you can immediately skip: // a) all nodes to the right of nodes whose low value is past the end of the given interval. // b) all nodes that have their maximum 'high' value below the start of the given interval. var node = T.root; var delta = 0; var nodeMaxEnd = 0; var nodeStart = 0; var nodeEnd = 0; var result = []; var resultLen = 0; while (node !== SENTINEL) { if (getNodeIsVisited(node)) { // going up from this node setNodeIsVisited(node.left, false); setNodeIsVisited(node.right, false); if (node === node.parent.right) { delta -= node.parent.delta; } node = node.parent; continue; } if (!getNodeIsVisited(node.left)) { // first time seeing this node nodeMaxEnd = delta + node.maxEnd; if (nodeMaxEnd < intervalStart) { // cover case b) from above // there is no need to search this node or its children setNodeIsVisited(node, true); continue; } if (node.left !== SENTINEL) { // go left node = node.left; continue; } } // handle current node nodeStart = delta + node.start; if (nodeStart > intervalEnd) { // cover case a) from above // there is no need to search this node or its right subtree setNodeIsVisited(node, true); continue; } nodeEnd = delta + node.end; if (nodeEnd >= intervalStart) { // There is overlap node.setCachedOffsets(nodeStart, nodeEnd, cachedVersionId); var include = true; if (filterOwnerId && node.ownerId && node.ownerId !== filterOwnerId) { include = false; } if (filterOutValidation && getNodeIsForValidation(node)) { include = false; } if (include) { result[resultLen++] = node; } } setNodeIsVisited(node, true); if (node.right !== SENTINEL && !getNodeIsVisited(node.right)) { // go right delta += node.delta; node = node.right; continue; } } setNodeIsVisited(T.root, false); return result; } //#endregion //#region Insertion function rbTreeInsert(T, newNode) { if (T.root === SENTINEL) { newNode.parent = SENTINEL; newNode.left = SENTINEL; newNode.right = SENTINEL; setNodeColor(newNode, 0 /* Black */); T.root = newNode; return T.root; } treeInsert(T, newNode); recomputeMaxEndWalkToRoot(newNode.parent); // repair tree var x = newNode; while (x !== T.root && getNodeColor(x.parent) === 1 /* Red */) { if (x.parent === x.parent.parent.left) { var y = x.parent.parent.right; if (getNodeColor(y) === 1 /* Red */) { setNodeColor(x.parent, 0 /* Black */); setNodeColor(y, 0 /* Black */); setNodeColor(x.parent.parent, 1 /* Red */); x = x.parent.parent; } else { if (x === x.parent.right) { x = x.parent; leftRotate(T, x); } setNodeColor(x.parent, 0 /* Black */); setNodeColor(x.parent.parent, 1 /* Red */); rightRotate(T, x.parent.parent); } } else { var y = x.parent.parent.left; if (getNodeColor(y) === 1 /* Red */) { setNodeColor(x.parent, 0 /* Black */); setNodeColor(y, 0 /* Black */); setNodeColor(x.parent.parent, 1 /* Red */); x = x.parent.parent; } else { if (x === x.parent.left) { x = x.parent; rightRotate(T, x); } setNodeColor(x.parent, 0 /* Black */); setNodeColor(x.parent.parent, 1 /* Red */); leftRotate(T, x.parent.parent); } } } setNodeColor(T.root, 0 /* Black */); return newNode; } function treeInsert(T, z) { var delta = 0; var x = T.root; var zAbsoluteStart = z.start; var zAbsoluteEnd = z.end; while (true) { var cmp = intervalCompare(zAbsoluteStart, zAbsoluteEnd, x.start + delta, x.end + delta); if (cmp < 0) { // this node should be inserted to the left // => it is not affected by the node's delta if (x.left === SENTINEL) { z.start -= delta; z.end -= delta; z.maxEnd -= delta; x.left = z; break; } else { x = x.left; } } else { // this node should be inserted to the right // => it is not affected by the node's delta if (x.right === SENTINEL) { z.start -= (delta + x.delta); z.end -= (delta + x.delta); z.maxEnd -= (delta + x.delta); x.right = z; break; } else { delta += x.delta; x = x.right; } } } z.parent = x; z.left = SENTINEL; z.right = SENTINEL; setNodeColor(z, 1 /* Red */); } //#endregion //#region Deletion function rbTreeDelete(T, z) { var x; var y; // RB-DELETE except we don't swap z and y in case c) // i.e. we always delete what's pointed at by z. if (z.left === SENTINEL) { x = z.right; y = z; // x's delta is no longer influenced by z's delta x.delta += z.delta; if (x.delta < -1073741824 /* MIN_SAFE_DELTA */ || x.delta > 1073741824 /* MAX_SAFE_DELTA */) { T.requestNormalizeDelta = true; } x.start += z.delta; x.end += z.delta; } else if (z.right === SENTINEL) { x = z.left; y = z; } else { y = leftest(z.right); x = y.right; // y's delta is no longer influenced by z's delta, // but we don't want to walk the entire right-hand-side subtree of x. // we therefore maintain z's delta in y, and adjust only x x.start += y.delta; x.end += y.delta; x.delta += y.delta; if (x.delta < -1073741824 /* MIN_SAFE_DELTA */ || x.delta > 1073741824 /* MAX_SAFE_DELTA */) { T.requestNormalizeDelta = true; } y.start += z.delta; y.end += z.delta; y.delta = z.delta; if (y.delta < -1073741824 /* MIN_SAFE_DELTA */ || y.delta > 1073741824 /* MAX_SAFE_DELTA */) { T.requestNormalizeDelta = true; } } if (y === T.root) { T.root = x; setNodeColor(x, 0 /* Black */); z.detach(); resetSentinel(); recomputeMaxEnd(x); T.root.parent = SENTINEL; return; } var yWasRed = (getNodeColor(y) === 1 /* Red */); if (y === y.parent.left) { y.parent.left = x; } else { y.parent.right = x; } if (y === z) { x.parent = y.parent; } else { if (y.parent === z) { x.parent = y; } else { x.parent = y.parent; } y.left = z.left; y.right = z.right; y.parent = z.parent; setNodeColor(y, getNodeColor(z)); if (z === T.root) { T.root = y; } else { if (z === z.parent.left) { z.parent.left = y; } else { z.parent.right = y; } } if (y.left !== SENTINEL) { y.left.parent = y; } if (y.right !== SENTINEL) { y.right.parent = y; } } z.detach(); if (yWasRed) { recomputeMaxEndWalkToRoot(x.parent); if (y !== z) { recomputeMaxEndWalkToRoot(y); recomputeMaxEndWalkToRoot(y.parent); } resetSentinel(); return; } recomputeMaxEndWalkToRoot(x); recomputeMaxEndWalkToRoot(x.parent); if (y !== z) { recomputeMaxEndWalkToRoot(y); recomputeMaxEndWalkToRoot(y.parent); } // RB-DELETE-FIXUP var w; while (x !== T.root && getNodeColor(x) === 0 /* Black */) { if (x === x.parent.left) { w = x.parent.right; if (getNodeColor(w) === 1 /* Red */) { setNodeColor(w, 0 /* Black */); setNodeColor(x.parent, 1 /* Red */); leftRotate(T, x.parent); w = x.parent.right; } if (getNodeColor(w.left) === 0 /* Black */ && getNodeColor(w.right) === 0 /* Black */) { setNodeColor(w, 1 /* Red */); x = x.parent; } else { if (getNodeColor(w.right) === 0 /* Black */) { setNodeColor(w.left, 0 /* Black */); setNodeColor(w, 1 /* Red */); rightRotate(T, w); w = x.parent.right; } setNodeColor(w, getNodeColor(x.parent)); setNodeColor(x.parent, 0 /* Black */); setNodeColor(w.right, 0 /* Black */); leftRotate(T, x.parent); x = T.root; } } else { w = x.parent.left; if (getNodeColor(w) === 1 /* Red */) { setNodeColor(w, 0 /* Black */); setNodeColor(x.parent, 1 /* Red */); rightRotate(T, x.parent); w = x.parent.left; } if (getNodeColor(w.left) === 0 /* Black */ && getNodeColor(w.right) === 0 /* Black */) { setNodeColor(w, 1 /* Red */); x = x.parent; } else { if (getNodeColor(w.left) === 0 /* Black */) { setNodeColor(w.right, 0 /* Black */); setNodeColor(w, 1 /* Red */); leftRotate(T, w); w = x.parent.left; } setNodeColor(w, getNodeColor(x.parent)); setNodeColor(x.parent, 0 /* Black */); setNodeColor(w.left, 0 /* Black */); rightRotate(T, x.parent); x = T.root; } } } setNodeColor(x, 0 /* Black */); resetSentinel(); } function leftest(node) { while (node.left !== SENTINEL) { node = node.left; } return node; } function resetSentinel() { SENTINEL.parent = SENTINEL; SENTINEL.delta = 0; // optional SENTINEL.start = 0; // optional SENTINEL.end = 0; // optional } //#endregion //#region Rotations function leftRotate(T, x) { var y = x.right; // set y. y.delta += x.delta; // y's delta is no longer influenced by x's delta if (y.delta < -1073741824 /* MIN_SAFE_DELTA */ || y.delta > 1073741824 /* MAX_SAFE_DELTA */) { T.requestNormalizeDelta = true; } y.start += x.delta; y.end += x.delta; x.right = y.left; // turn y's left subtree into x's right subtree. if (y.left !== SENTINEL) { y.left.parent = x; } y.parent = x.parent; // link x's parent to y. if (x.parent === SENTINEL) { T.root = y; } else if (x === x.parent.left) { x.parent.left = y; } else { x.parent.right = y; } y.left = x; // put x on y's left. x.parent = y; recomputeMaxEnd(x); recomputeMaxEnd(y); } function rightRotate(T, y) { var x = y.left; y.delta -= x.delta; if (y.delta < -1073741824 /* MIN_SAFE_DELTA */ || y.delta > 1073741824 /* MAX_SAFE_DELTA */) { T.requestNormalizeDelta = true; } y.start -= x.delta; y.end -= x.delta; y.left = x.right; if (x.right !== SENTINEL) { x.right.parent = y; } x.parent = y.parent; if (y.parent === SENTINEL) { T.root = x; } else if (y === y.parent.right) { y.parent.right = x; } else { y.parent.left = x; } x.right = y; y.parent = x; recomputeMaxEnd(y); recomputeMaxEnd(x); } //#endregion //#region max end computation function computeMaxEnd(node) { var maxEnd = node.end; if (node.left !== SENTINEL) { var leftMaxEnd = node.left.maxEnd; if (leftMaxEnd > maxEnd) { maxEnd = leftMaxEnd; } } if (node.right !== SENTINEL) { var rightMaxEnd = node.right.maxEnd + node.delta; if (rightMaxEnd > maxEnd) { maxEnd = rightMaxEnd; } } return maxEnd; } function recomputeMaxEnd(node) { node.maxEnd = computeMaxEnd(node); } function recomputeMaxEndWalkToRoot(node) { while (node !== SENTINEL) { var maxEnd = computeMaxEnd(node); if (node.maxEnd === maxEnd) { // no need to go further return; } node.maxEnd = maxEnd; node = node.parent; } } //#endregion //#region utils function intervalCompare(aStart, aEnd, bStart, bEnd) { if (aStart === bStart) { return aEnd - bEnd; } return aStart - bStart; } //#endregion /***/ }), /***/ 1946: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export PieceTreeTextBufferFactory */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PieceTreeTextBufferBuilder; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__pieceTreeBase_js__ = __webpack_require__(1702); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__pieceTreeTextBuffer_js__ = __webpack_require__(1948); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var PieceTreeTextBufferFactory = /** @class */ (function () { function PieceTreeTextBufferFactory(_chunks, _bom, _cr, _lf, _crlf, _containsRTL, _isBasicASCII, _normalizeEOL) { this._chunks = _chunks; this._bom = _bom; this._cr = _cr; this._lf = _lf; this._crlf = _crlf; this._containsRTL = _containsRTL; this._isBasicASCII = _isBasicASCII; this._normalizeEOL = _normalizeEOL; } PieceTreeTextBufferFactory.prototype._getEOL = function (defaultEOL) { var totalEOLCount = this._cr + this._lf + this._crlf; var totalCRCount = this._cr + this._crlf; if (totalEOLCount === 0) { // This is an empty file or a file with precisely one line return (defaultEOL === 1 /* LF */ ? '\n' : '\r\n'); } if (totalCRCount > totalEOLCount / 2) { // More than half of the file contains \r\n ending lines return '\r\n'; } // At least one line more ends in \n return '\n'; }; PieceTreeTextBufferFactory.prototype.create = function (defaultEOL) { var eol = this._getEOL(defaultEOL); var chunks = this._chunks; if (this._normalizeEOL && ((eol === '\r\n' && (this._cr > 0 || this._lf > 0)) || (eol === '\n' && (this._cr > 0 || this._crlf > 0)))) { // Normalize pieces for (var i = 0, len = chunks.length; i < len; i++) { var str = chunks[i].buffer.replace(/\r\n|\r|\n/g, eol); var newLineStart = Object(__WEBPACK_IMPORTED_MODULE_1__pieceTreeBase_js__["d" /* createLineStartsFast */])(str); chunks[i] = new __WEBPACK_IMPORTED_MODULE_1__pieceTreeBase_js__["b" /* StringBuffer */](str, newLineStart); } } return new __WEBPACK_IMPORTED_MODULE_2__pieceTreeTextBuffer_js__["a" /* PieceTreeTextBuffer */](chunks, this._bom, eol, this._containsRTL, this._isBasicASCII, this._normalizeEOL); }; return PieceTreeTextBufferFactory; }()); var PieceTreeTextBufferBuilder = /** @class */ (function () { function PieceTreeTextBufferBuilder() { this.chunks = []; this.BOM = ''; this._hasPreviousChar = false; this._previousChar = 0; this._tmpLineStarts = []; this.cr = 0; this.lf = 0; this.crlf = 0; this.containsRTL = false; this.isBasicASCII = true; } PieceTreeTextBufferBuilder.prototype.acceptChunk = function (chunk) { if (chunk.length === 0) { return; } if (this.chunks.length === 0) { if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["D" /* startsWithUTF8BOM */](chunk)) { this.BOM = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["a" /* UTF8_BOM_CHARACTER */]; chunk = chunk.substr(1); } } var lastChar = chunk.charCodeAt(chunk.length - 1); if (lastChar === 13 /* CarriageReturn */ || (lastChar >= 0xD800 && lastChar <= 0xDBFF)) { // last character is \r or a high surrogate => keep it back this._acceptChunk1(chunk.substr(0, chunk.length - 1), false); this._hasPreviousChar = true; this._previousChar = lastChar; } else { this._acceptChunk1(chunk, false); this._hasPreviousChar = false; this._previousChar = lastChar; } }; PieceTreeTextBufferBuilder.prototype._acceptChunk1 = function (chunk, allowEmptyStrings) { if (!allowEmptyStrings && chunk.length === 0) { // Nothing to do return; } if (this._hasPreviousChar) { this._acceptChunk2(String.fromCharCode(this._previousChar) + chunk); } else { this._acceptChunk2(chunk); } }; PieceTreeTextBufferBuilder.prototype._acceptChunk2 = function (chunk) { var lineStarts = Object(__WEBPACK_IMPORTED_MODULE_1__pieceTreeBase_js__["c" /* createLineStarts */])(this._tmpLineStarts, chunk); this.chunks.push(new __WEBPACK_IMPORTED_MODULE_1__pieceTreeBase_js__["b" /* StringBuffer */](chunk, lineStarts.lineStarts)); this.cr += lineStarts.cr; this.lf += lineStarts.lf; this.crlf += lineStarts.crlf; if (this.isBasicASCII) { this.isBasicASCII = lineStarts.isBasicASCII; } if (!this.isBasicASCII && !this.containsRTL) { // No need to check if is basic ASCII this.containsRTL = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["f" /* containsRTL */](chunk); } }; PieceTreeTextBufferBuilder.prototype.finish = function (normalizeEOL) { if (normalizeEOL === void 0) { normalizeEOL = true; } this._finish(); return new PieceTreeTextBufferFactory(this.chunks, this.BOM, this.cr, this.lf, this.crlf, this.containsRTL, this.isBasicASCII, normalizeEOL); }; PieceTreeTextBufferBuilder.prototype._finish = function () { if (this.chunks.length === 0) { this._acceptChunk1('', true); } if (this._hasPreviousChar) { this._hasPreviousChar = false; // recreate last chunk var lastChunk = this.chunks[this.chunks.length - 1]; lastChunk.buffer += String.fromCharCode(this._previousChar); var newLineStarts = Object(__WEBPACK_IMPORTED_MODULE_1__pieceTreeBase_js__["d" /* createLineStartsFast */])(lastChunk.buffer); lastChunk.lineStarts = newLineStarts; if (this._previousChar === 13 /* CarriageReturn */) { this.cr++; } } }; return PieceTreeTextBufferBuilder; }()); /***/ }), /***/ 1947: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return TreeNode; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return SENTINEL; }); /* harmony export (immutable) */ __webpack_exports__["d"] = leftest; /* harmony export (immutable) */ __webpack_exports__["f"] = righttest; /* unused harmony export calculateSize */ /* unused harmony export calculateLF */ /* unused harmony export resetSentinel */ /* unused harmony export leftRotate */ /* unused harmony export rightRotate */ /* harmony export (immutable) */ __webpack_exports__["e"] = rbDelete; /* harmony export (immutable) */ __webpack_exports__["c"] = fixInsert; /* harmony export (immutable) */ __webpack_exports__["g"] = updateTreeMetadata; /* unused harmony export recomputeTreeMetadata */ /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var TreeNode = /** @class */ (function () { function TreeNode(piece, color) { this.piece = piece; this.color = color; this.size_left = 0; this.lf_left = 0; this.parent = this; this.left = this; this.right = this; } TreeNode.prototype.next = function () { if (this.right !== SENTINEL) { return leftest(this.right); } var node = this; while (node.parent !== SENTINEL) { if (node.parent.left === node) { break; } node = node.parent; } if (node.parent === SENTINEL) { return SENTINEL; } else { return node.parent; } }; TreeNode.prototype.prev = function () { if (this.left !== SENTINEL) { return righttest(this.left); } var node = this; while (node.parent !== SENTINEL) { if (node.parent.right === node) { break; } node = node.parent; } if (node.parent === SENTINEL) { return SENTINEL; } else { return node.parent; } }; TreeNode.prototype.detach = function () { this.parent = null; this.left = null; this.right = null; }; return TreeNode; }()); var SENTINEL = new TreeNode(null, 0 /* Black */); SENTINEL.parent = SENTINEL; SENTINEL.left = SENTINEL; SENTINEL.right = SENTINEL; SENTINEL.color = 0 /* Black */; function leftest(node) { while (node.left !== SENTINEL) { node = node.left; } return node; } function righttest(node) { while (node.right !== SENTINEL) { node = node.right; } return node; } function calculateSize(node) { if (node === SENTINEL) { return 0; } return node.size_left + node.piece.length + calculateSize(node.right); } function calculateLF(node) { if (node === SENTINEL) { return 0; } return node.lf_left + node.piece.lineFeedCnt + calculateLF(node.right); } function resetSentinel() { SENTINEL.parent = SENTINEL; } function leftRotate(tree, x) { var y = x.right; // fix size_left y.size_left += x.size_left + (x.piece ? x.piece.length : 0); y.lf_left += x.lf_left + (x.piece ? x.piece.lineFeedCnt : 0); x.right = y.left; if (y.left !== SENTINEL) { y.left.parent = x; } y.parent = x.parent; if (x.parent === SENTINEL) { tree.root = y; } else if (x.parent.left === x) { x.parent.left = y; } else { x.parent.right = y; } y.left = x; x.parent = y; } function rightRotate(tree, y) { var x = y.left; y.left = x.right; if (x.right !== SENTINEL) { x.right.parent = y; } x.parent = y.parent; // fix size_left y.size_left -= x.size_left + (x.piece ? x.piece.length : 0); y.lf_left -= x.lf_left + (x.piece ? x.piece.lineFeedCnt : 0); if (y.parent === SENTINEL) { tree.root = x; } else if (y === y.parent.right) { y.parent.right = x; } else { y.parent.left = x; } x.right = y; y.parent = x; } function rbDelete(tree, z) { var x; var y; if (z.left === SENTINEL) { y = z; x = y.right; } else if (z.right === SENTINEL) { y = z; x = y.left; } else { y = leftest(z.right); x = y.right; } if (y === tree.root) { tree.root = x; // if x is null, we are removing the only node x.color = 0 /* Black */; z.detach(); resetSentinel(); tree.root.parent = SENTINEL; return; } var yWasRed = (y.color === 1 /* Red */); if (y === y.parent.left) { y.parent.left = x; } else { y.parent.right = x; } if (y === z) { x.parent = y.parent; recomputeTreeMetadata(tree, x); } else { if (y.parent === z) { x.parent = y; } else { x.parent = y.parent; } // as we make changes to x's hierarchy, update size_left of subtree first recomputeTreeMetadata(tree, x); y.left = z.left; y.right = z.right; y.parent = z.parent; y.color = z.color; if (z === tree.root) { tree.root = y; } else { if (z === z.parent.left) { z.parent.left = y; } else { z.parent.right = y; } } if (y.left !== SENTINEL) { y.left.parent = y; } if (y.right !== SENTINEL) { y.right.parent = y; } // update metadata // we replace z with y, so in this sub tree, the length change is z.item.length y.size_left = z.size_left; y.lf_left = z.lf_left; recomputeTreeMetadata(tree, y); } z.detach(); if (x.parent.left === x) { var newSizeLeft = calculateSize(x); var newLFLeft = calculateLF(x); if (newSizeLeft !== x.parent.size_left || newLFLeft !== x.parent.lf_left) { var delta = newSizeLeft - x.parent.size_left; var lf_delta = newLFLeft - x.parent.lf_left; x.parent.size_left = newSizeLeft; x.parent.lf_left = newLFLeft; updateTreeMetadata(tree, x.parent, delta, lf_delta); } } recomputeTreeMetadata(tree, x.parent); if (yWasRed) { resetSentinel(); return; } // RB-DELETE-FIXUP var w; while (x !== tree.root && x.color === 0 /* Black */) { if (x === x.parent.left) { w = x.parent.right; if (w.color === 1 /* Red */) { w.color = 0 /* Black */; x.parent.color = 1 /* Red */; leftRotate(tree, x.parent); w = x.parent.right; } if (w.left.color === 0 /* Black */ && w.right.color === 0 /* Black */) { w.color = 1 /* Red */; x = x.parent; } else { if (w.right.color === 0 /* Black */) { w.left.color = 0 /* Black */; w.color = 1 /* Red */; rightRotate(tree, w); w = x.parent.right; } w.color = x.parent.color; x.parent.color = 0 /* Black */; w.right.color = 0 /* Black */; leftRotate(tree, x.parent); x = tree.root; } } else { w = x.parent.left; if (w.color === 1 /* Red */) { w.color = 0 /* Black */; x.parent.color = 1 /* Red */; rightRotate(tree, x.parent); w = x.parent.left; } if (w.left.color === 0 /* Black */ && w.right.color === 0 /* Black */) { w.color = 1 /* Red */; x = x.parent; } else { if (w.left.color === 0 /* Black */) { w.right.color = 0 /* Black */; w.color = 1 /* Red */; leftRotate(tree, w); w = x.parent.left; } w.color = x.parent.color; x.parent.color = 0 /* Black */; w.left.color = 0 /* Black */; rightRotate(tree, x.parent); x = tree.root; } } } x.color = 0 /* Black */; resetSentinel(); } function fixInsert(tree, x) { recomputeTreeMetadata(tree, x); while (x !== tree.root && x.parent.color === 1 /* Red */) { if (x.parent === x.parent.parent.left) { var y = x.parent.parent.right; if (y.color === 1 /* Red */) { x.parent.color = 0 /* Black */; y.color = 0 /* Black */; x.parent.parent.color = 1 /* Red */; x = x.parent.parent; } else { if (x === x.parent.right) { x = x.parent; leftRotate(tree, x); } x.parent.color = 0 /* Black */; x.parent.parent.color = 1 /* Red */; rightRotate(tree, x.parent.parent); } } else { var y = x.parent.parent.left; if (y.color === 1 /* Red */) { x.parent.color = 0 /* Black */; y.color = 0 /* Black */; x.parent.parent.color = 1 /* Red */; x = x.parent.parent; } else { if (x === x.parent.left) { x = x.parent; rightRotate(tree, x); } x.parent.color = 0 /* Black */; x.parent.parent.color = 1 /* Red */; leftRotate(tree, x.parent.parent); } } } tree.root.color = 0 /* Black */; } function updateTreeMetadata(tree, x, delta, lineFeedCntDelta) { // node length change or line feed count change while (x !== tree.root && x !== SENTINEL) { if (x.parent.left === x) { x.parent.size_left += delta; x.parent.lf_left += lineFeedCntDelta; } x = x.parent; } } function recomputeTreeMetadata(tree, x) { var delta = 0; var lf_delta = 0; if (x === tree.root) { return; } if (delta === 0) { // go upwards till the node whose left subtree is changed. while (x !== tree.root && x === x.parent.right) { x = x.parent; } if (x === tree.root) { // well, it means we add a node to the end (inorder) return; } // x is the node whose right subtree is changed. x = x.parent; delta = calculateSize(x.left) - x.size_left; lf_delta = calculateLF(x.left) - x.lf_left; x.size_left += delta; x.lf_left += lf_delta; } // go upwards till root. O(logN) while (x !== tree.root && (delta !== 0 || lf_delta !== 0)) { if (x.parent.left === x) { x.parent.size_left += delta; x.parent.lf_left += lf_delta; } x = x.parent; } } /***/ }), /***/ 1948: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return PieceTreeTextBuffer; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__model_js__ = __webpack_require__(1325); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__pieceTreeBase_js__ = __webpack_require__(1702); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var PieceTreeTextBuffer = /** @class */ (function () { function PieceTreeTextBuffer(chunks, BOM, eol, containsRTL, isBasicASCII, eolNormalized) { this._BOM = BOM; this._mightContainNonBasicASCII = !isBasicASCII; this._mightContainRTL = containsRTL; this._pieceTree = new __WEBPACK_IMPORTED_MODULE_3__pieceTreeBase_js__["a" /* PieceTreeBase */](chunks, eol, eolNormalized); } PieceTreeTextBuffer.prototype.mightContainRTL = function () { return this._mightContainRTL; }; PieceTreeTextBuffer.prototype.mightContainNonBasicASCII = function () { return this._mightContainNonBasicASCII; }; PieceTreeTextBuffer.prototype.getBOM = function () { return this._BOM; }; PieceTreeTextBuffer.prototype.getEOL = function () { return this._pieceTree.getEOL(); }; PieceTreeTextBuffer.prototype.getOffsetAt = function (lineNumber, column) { return this._pieceTree.getOffsetAt(lineNumber, column); }; PieceTreeTextBuffer.prototype.getPositionAt = function (offset) { return this._pieceTree.getPositionAt(offset); }; PieceTreeTextBuffer.prototype.getRangeAt = function (start, length) { var end = start + length; var startPosition = this.getPositionAt(start); var endPosition = this.getPositionAt(end); return new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](startPosition.lineNumber, startPosition.column, endPosition.lineNumber, endPosition.column); }; PieceTreeTextBuffer.prototype.getValueInRange = function (range, eol) { if (eol === void 0) { eol = 0 /* TextDefined */; } if (range.isEmpty()) { return ''; } var lineEnding = this._getEndOfLine(eol); return this._pieceTree.getValueInRange(range, lineEnding); }; PieceTreeTextBuffer.prototype.getValueLengthInRange = function (range, eol) { if (eol === void 0) { eol = 0 /* TextDefined */; } if (range.isEmpty()) { return 0; } if (range.startLineNumber === range.endLineNumber) { return (range.endColumn - range.startColumn); } var startOffset = this.getOffsetAt(range.startLineNumber, range.startColumn); var endOffset = this.getOffsetAt(range.endLineNumber, range.endColumn); return endOffset - startOffset; }; PieceTreeTextBuffer.prototype.getLength = function () { return this._pieceTree.getLength(); }; PieceTreeTextBuffer.prototype.getLineCount = function () { return this._pieceTree.getLineCount(); }; PieceTreeTextBuffer.prototype.getLinesContent = function () { return this._pieceTree.getLinesContent(); }; PieceTreeTextBuffer.prototype.getLineContent = function (lineNumber) { return this._pieceTree.getLineContent(lineNumber); }; PieceTreeTextBuffer.prototype.getLineCharCode = function (lineNumber, index) { return this._pieceTree.getLineCharCode(lineNumber, index); }; PieceTreeTextBuffer.prototype.getLineLength = function (lineNumber) { return this._pieceTree.getLineLength(lineNumber); }; PieceTreeTextBuffer.prototype.getLineFirstNonWhitespaceColumn = function (lineNumber) { var result = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](this.getLineContent(lineNumber)); if (result === -1) { return 0; } return result + 1; }; PieceTreeTextBuffer.prototype.getLineLastNonWhitespaceColumn = function (lineNumber) { var result = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["x" /* lastNonWhitespaceIndex */](this.getLineContent(lineNumber)); if (result === -1) { return 0; } return result + 2; }; PieceTreeTextBuffer.prototype._getEndOfLine = function (eol) { switch (eol) { case 1 /* LF */: return '\n'; case 2 /* CRLF */: return '\r\n'; case 0 /* TextDefined */: return this.getEOL(); } throw new Error('Unknown EOL preference'); }; PieceTreeTextBuffer.prototype.setEOL = function (newEOL) { this._pieceTree.setEOL(newEOL); }; PieceTreeTextBuffer.prototype.applyEdits = function (rawOperations, recordTrimAutoWhitespace) { var mightContainRTL = this._mightContainRTL; var mightContainNonBasicASCII = this._mightContainNonBasicASCII; var canReduceOperations = true; var operations = []; for (var i = 0; i < rawOperations.length; i++) { var op = rawOperations[i]; if (canReduceOperations && op._isTracked) { canReduceOperations = false; } var validatedRange = op.range; if (!mightContainRTL && op.text) { // check if the new inserted text contains RTL mightContainRTL = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["f" /* containsRTL */](op.text); } if (!mightContainNonBasicASCII && op.text) { mightContainNonBasicASCII = !__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["q" /* isBasicASCII */](op.text); } operations[i] = { sortIndex: i, identifier: op.identifier || null, range: validatedRange, rangeOffset: this.getOffsetAt(validatedRange.startLineNumber, validatedRange.startColumn), rangeLength: this.getValueLengthInRange(validatedRange), lines: op.text ? op.text.split(/\r\n|\r|\n/) : null, forceMoveMarkers: Boolean(op.forceMoveMarkers), isAutoWhitespaceEdit: op.isAutoWhitespaceEdit || false }; } // Sort operations ascending operations.sort(PieceTreeTextBuffer._sortOpsAscending); var hasTouchingRanges = false; for (var i = 0, count = operations.length - 1; i < count; i++) { var rangeEnd = operations[i].range.getEndPosition(); var nextRangeStart = operations[i + 1].range.getStartPosition(); if (nextRangeStart.isBeforeOrEqual(rangeEnd)) { if (nextRangeStart.isBefore(rangeEnd)) { // overlapping ranges throw new Error('Overlapping ranges are not allowed!'); } hasTouchingRanges = true; } } if (canReduceOperations) { operations = this._reduceOperations(operations); } // Delta encode operations var reverseRanges = PieceTreeTextBuffer._getInverseEditRanges(operations); var newTrimAutoWhitespaceCandidates = []; for (var i = 0; i < operations.length; i++) { var op = operations[i]; var reverseRange = reverseRanges[i]; if (recordTrimAutoWhitespace && op.isAutoWhitespaceEdit && op.range.isEmpty()) { // Record already the future line numbers that might be auto whitespace removal candidates on next edit for (var lineNumber = reverseRange.startLineNumber; lineNumber <= reverseRange.endLineNumber; lineNumber++) { var currentLineContent = ''; if (lineNumber === reverseRange.startLineNumber) { currentLineContent = this.getLineContent(op.range.startLineNumber); if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](currentLineContent) !== -1) { continue; } } newTrimAutoWhitespaceCandidates.push({ lineNumber: lineNumber, oldContent: currentLineContent }); } } } var reverseOperations = []; for (var i = 0; i < operations.length; i++) { var op = operations[i]; var reverseRange = reverseRanges[i]; reverseOperations[i] = { sortIndex: op.sortIndex, identifier: op.identifier, range: reverseRange, text: this.getValueInRange(op.range), forceMoveMarkers: op.forceMoveMarkers }; } // Can only sort reverse operations when the order is not significant if (!hasTouchingRanges) { reverseOperations.sort(function (a, b) { return a.sortIndex - b.sortIndex; }); } this._mightContainRTL = mightContainRTL; this._mightContainNonBasicASCII = mightContainNonBasicASCII; var contentChanges = this._doApplyEdits(operations); var trimAutoWhitespaceLineNumbers = null; if (recordTrimAutoWhitespace && newTrimAutoWhitespaceCandidates.length > 0) { // sort line numbers auto whitespace removal candidates for next edit descending newTrimAutoWhitespaceCandidates.sort(function (a, b) { return b.lineNumber - a.lineNumber; }); trimAutoWhitespaceLineNumbers = []; for (var i = 0, len = newTrimAutoWhitespaceCandidates.length; i < len; i++) { var lineNumber = newTrimAutoWhitespaceCandidates[i].lineNumber; if (i > 0 && newTrimAutoWhitespaceCandidates[i - 1].lineNumber === lineNumber) { // Do not have the same line number twice continue; } var prevContent = newTrimAutoWhitespaceCandidates[i].oldContent; var lineContent = this.getLineContent(lineNumber); if (lineContent.length === 0 || lineContent === prevContent || __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](lineContent) !== -1) { continue; } trimAutoWhitespaceLineNumbers.push(lineNumber); } } return new __WEBPACK_IMPORTED_MODULE_2__model_js__["a" /* ApplyEditsResult */](reverseOperations, contentChanges, trimAutoWhitespaceLineNumbers); }; /** * Transform operations such that they represent the same logic edit, * but that they also do not cause OOM crashes. */ PieceTreeTextBuffer.prototype._reduceOperations = function (operations) { if (operations.length < 1000) { // We know from empirical testing that a thousand edits work fine regardless of their shape. return operations; } // At one point, due to how events are emitted and how each operation is handled, // some operations can trigger a high amount of temporary string allocations, // that will immediately get edited again. // e.g. a formatter inserting ridiculous ammounts of \n on a model with a single line // Therefore, the strategy is to collapse all the operations into a huge single edit operation return [this._toSingleEditOperation(operations)]; }; PieceTreeTextBuffer.prototype._toSingleEditOperation = function (operations) { var forceMoveMarkers = false, firstEditRange = operations[0].range, lastEditRange = operations[operations.length - 1].range, entireEditRange = new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](firstEditRange.startLineNumber, firstEditRange.startColumn, lastEditRange.endLineNumber, lastEditRange.endColumn), lastEndLineNumber = firstEditRange.startLineNumber, lastEndColumn = firstEditRange.startColumn, result = []; for (var i = 0, len = operations.length; i < len; i++) { var operation = operations[i], range = operation.range; forceMoveMarkers = forceMoveMarkers || operation.forceMoveMarkers; // (1) -- Push old text for (var lineNumber = lastEndLineNumber; lineNumber < range.startLineNumber; lineNumber++) { if (lineNumber === lastEndLineNumber) { result.push(this.getLineContent(lineNumber).substring(lastEndColumn - 1)); } else { result.push('\n'); result.push(this.getLineContent(lineNumber)); } } if (range.startLineNumber === lastEndLineNumber) { result.push(this.getLineContent(range.startLineNumber).substring(lastEndColumn - 1, range.startColumn - 1)); } else { result.push('\n'); result.push(this.getLineContent(range.startLineNumber).substring(0, range.startColumn - 1)); } // (2) -- Push new text if (operation.lines) { for (var j = 0, lenJ = operation.lines.length; j < lenJ; j++) { if (j !== 0) { result.push('\n'); } result.push(operation.lines[j]); } } lastEndLineNumber = operation.range.endLineNumber; lastEndColumn = operation.range.endColumn; } return { sortIndex: 0, identifier: operations[0].identifier, range: entireEditRange, rangeOffset: this.getOffsetAt(entireEditRange.startLineNumber, entireEditRange.startColumn), rangeLength: this.getValueLengthInRange(entireEditRange, 0 /* TextDefined */), lines: result.join('').split('\n'), forceMoveMarkers: forceMoveMarkers, isAutoWhitespaceEdit: false }; }; PieceTreeTextBuffer.prototype._doApplyEdits = function (operations) { operations.sort(PieceTreeTextBuffer._sortOpsDescending); var contentChanges = []; // operations are from bottom to top for (var i = 0; i < operations.length; i++) { var op = operations[i]; var startLineNumber = op.range.startLineNumber; var startColumn = op.range.startColumn; var endLineNumber = op.range.endLineNumber; var endColumn = op.range.endColumn; if (startLineNumber === endLineNumber && startColumn === endColumn && (!op.lines || op.lines.length === 0)) { // no-op continue; } var deletingLinesCnt = endLineNumber - startLineNumber; var insertingLinesCnt = (op.lines ? op.lines.length - 1 : 0); var editingLinesCnt = Math.min(deletingLinesCnt, insertingLinesCnt); var text = (op.lines ? op.lines.join(this.getEOL()) : ''); if (text) { // replacement this._pieceTree.delete(op.rangeOffset, op.rangeLength); this._pieceTree.insert(op.rangeOffset, text, true); } else { // deletion this._pieceTree.delete(op.rangeOffset, op.rangeLength); } if (editingLinesCnt < insertingLinesCnt) { var newLinesContent = []; for (var j = editingLinesCnt + 1; j <= insertingLinesCnt; j++) { newLinesContent.push(op.lines[j]); } newLinesContent[newLinesContent.length - 1] = this.getLineContent(startLineNumber + insertingLinesCnt - 1); } var contentChangeRange = new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn); contentChanges.push({ range: contentChangeRange, rangeLength: op.rangeLength, text: text, rangeOffset: op.rangeOffset, forceMoveMarkers: op.forceMoveMarkers }); } return contentChanges; }; PieceTreeTextBuffer.prototype.findMatchesLineByLine = function (searchRange, searchData, captureMatches, limitResultCount) { return this._pieceTree.findMatchesLineByLine(searchRange, searchData, captureMatches, limitResultCount); }; /** * Assumes `operations` are validated and sorted ascending */ PieceTreeTextBuffer._getInverseEditRanges = function (operations) { var result = []; var prevOpEndLineNumber = 0; var prevOpEndColumn = 0; var prevOp = null; for (var i = 0, len = operations.length; i < len; i++) { var op = operations[i]; var startLineNumber = void 0; var startColumn = void 0; if (prevOp) { if (prevOp.range.endLineNumber === op.range.startLineNumber) { startLineNumber = prevOpEndLineNumber; startColumn = prevOpEndColumn + (op.range.startColumn - prevOp.range.endColumn); } else { startLineNumber = prevOpEndLineNumber + (op.range.startLineNumber - prevOp.range.endLineNumber); startColumn = op.range.startColumn; } } else { startLineNumber = op.range.startLineNumber; startColumn = op.range.startColumn; } var resultRange = void 0; if (op.lines && op.lines.length > 0) { // the operation inserts something var lineCount = op.lines.length; var firstLine = op.lines[0]; var lastLine = op.lines[lineCount - 1]; if (lineCount === 1) { // single line insert resultRange = new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](startLineNumber, startColumn, startLineNumber, startColumn + firstLine.length); } else { // multi line insert resultRange = new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](startLineNumber, startColumn, startLineNumber + lineCount - 1, lastLine.length + 1); } } else { // There is nothing to insert resultRange = new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](startLineNumber, startColumn, startLineNumber, startColumn); } prevOpEndLineNumber = resultRange.endLineNumber; prevOpEndColumn = resultRange.endColumn; result.push(resultRange); prevOp = op; } return result; }; PieceTreeTextBuffer._sortOpsAscending = function (a, b) { var r = __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */].compareRangesUsingEnds(a.range, b.range); if (r === 0) { return a.sortIndex - b.sortIndex; } return r; }; PieceTreeTextBuffer._sortOpsDescending = function (a, b) { var r = __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */].compareRangesUsingEnds(a.range, b.range); if (r === 0) { return b.sortIndex - a.sortIndex; } return -r; }; return PieceTreeTextBuffer; }()); /***/ }), /***/ 1949: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return ModelRawFlush; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return ModelRawLineChanged; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return ModelRawLinesDeleted; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return ModelRawLinesInserted; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return ModelRawEOLChanged; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ModelRawContentChangedEvent; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return InternalModelContentChangeEvent; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * An event describing that a model has been reset to a new value. * @internal */ var ModelRawFlush = /** @class */ (function () { function ModelRawFlush() { this.changeType = 1 /* Flush */; } return ModelRawFlush; }()); /** * An event describing that a line has changed in a model. * @internal */ var ModelRawLineChanged = /** @class */ (function () { function ModelRawLineChanged(lineNumber, detail) { this.changeType = 2 /* LineChanged */; this.lineNumber = lineNumber; this.detail = detail; } return ModelRawLineChanged; }()); /** * An event describing that line(s) have been deleted in a model. * @internal */ var ModelRawLinesDeleted = /** @class */ (function () { function ModelRawLinesDeleted(fromLineNumber, toLineNumber) { this.changeType = 3 /* LinesDeleted */; this.fromLineNumber = fromLineNumber; this.toLineNumber = toLineNumber; } return ModelRawLinesDeleted; }()); /** * An event describing that line(s) have been inserted in a model. * @internal */ var ModelRawLinesInserted = /** @class */ (function () { function ModelRawLinesInserted(fromLineNumber, toLineNumber, detail) { this.changeType = 4 /* LinesInserted */; this.fromLineNumber = fromLineNumber; this.toLineNumber = toLineNumber; this.detail = detail; } return ModelRawLinesInserted; }()); /** * An event describing that a model has had its EOL changed. * @internal */ var ModelRawEOLChanged = /** @class */ (function () { function ModelRawEOLChanged() { this.changeType = 5 /* EOLChanged */; } return ModelRawEOLChanged; }()); /** * An event describing a change in the text of a model. * @internal */ var ModelRawContentChangedEvent = /** @class */ (function () { function ModelRawContentChangedEvent(changes, versionId, isUndoing, isRedoing) { this.changes = changes; this.versionId = versionId; this.isUndoing = isUndoing; this.isRedoing = isRedoing; } ModelRawContentChangedEvent.prototype.containsEvent = function (type) { for (var i = 0, len = this.changes.length; i < len; i++) { var change = this.changes[i]; if (change.changeType === type) { return true; } } return false; }; ModelRawContentChangedEvent.merge = function (a, b) { var changes = [].concat(a.changes).concat(b.changes); var versionId = b.versionId; var isUndoing = (a.isUndoing || b.isUndoing); var isRedoing = (a.isRedoing || b.isRedoing); return new ModelRawContentChangedEvent(changes, versionId, isUndoing, isRedoing); }; return ModelRawContentChangedEvent; }()); /** * @internal */ var InternalModelContentChangeEvent = /** @class */ (function () { function InternalModelContentChangeEvent(rawContentChangedEvent, contentChangedEvent) { this.rawContentChangedEvent = rawContentChangedEvent; this.contentChangedEvent = contentChangedEvent; } InternalModelContentChangeEvent.prototype.merge = function (other) { var rawContentChangedEvent = ModelRawContentChangedEvent.merge(this.rawContentChangedEvent, other.rawContentChangedEvent); var contentChangedEvent = InternalModelContentChangeEvent._mergeChangeEvents(this.contentChangedEvent, other.contentChangedEvent); return new InternalModelContentChangeEvent(rawContentChangedEvent, contentChangedEvent); }; InternalModelContentChangeEvent._mergeChangeEvents = function (a, b) { var changes = [].concat(a.changes).concat(b.changes); var eol = b.eol; var versionId = b.versionId; var isUndoing = (a.isUndoing || b.isUndoing); var isRedoing = (a.isRedoing || b.isRedoing); var isFlush = (a.isFlush || b.isFlush); return { changes: changes, eol: eol, versionId: versionId, isUndoing: isUndoing, isRedoing: isRedoing, isFlush: isFlush }; }; return InternalModelContentChangeEvent; }()); /***/ }), /***/ 1950: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ModelLinesTokens; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ModelTokensChangedEventBuilder; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_lineTokens_js__ = __webpack_require__(1445); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__modes_nullMode_js__ = __webpack_require__(1326); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function getDefaultMetadata(topLevelLanguageId) { return ((topLevelLanguageId << 0 /* LANGUAGEID_OFFSET */) | (0 /* Other */ << 8 /* TOKEN_TYPE_OFFSET */) | (0 /* None */ << 11 /* FONT_STYLE_OFFSET */) | (1 /* DefaultForeground */ << 14 /* FOREGROUND_OFFSET */) | (2 /* DefaultBackground */ << 23 /* BACKGROUND_OFFSET */)) >>> 0; } var EMPTY_LINE_TOKENS = (new Uint32Array(0)).buffer; var ModelLineTokens = /** @class */ (function () { function ModelLineTokens(state) { this._state = state; this._lineTokens = null; this._invalid = true; } ModelLineTokens.prototype.deleteBeginning = function (toChIndex) { if (this._lineTokens === null || this._lineTokens === EMPTY_LINE_TOKENS) { return; } this.delete(0, toChIndex); }; ModelLineTokens.prototype.deleteEnding = function (fromChIndex) { if (this._lineTokens === null || this._lineTokens === EMPTY_LINE_TOKENS) { return; } var tokens = new Uint32Array(this._lineTokens); var lineTextLength = tokens[tokens.length - 2]; this.delete(fromChIndex, lineTextLength); }; ModelLineTokens.prototype.delete = function (fromChIndex, toChIndex) { if (this._lineTokens === null || this._lineTokens === EMPTY_LINE_TOKENS || fromChIndex === toChIndex) { return; } var tokens = new Uint32Array(this._lineTokens); var tokensCount = (tokens.length >>> 1); // special case: deleting everything if (fromChIndex === 0 && tokens[tokens.length - 2] === toChIndex) { this._lineTokens = EMPTY_LINE_TOKENS; return; } var fromTokenIndex = __WEBPACK_IMPORTED_MODULE_2__core_lineTokens_js__["a" /* LineTokens */].findIndexInTokensArray(tokens, fromChIndex); var fromTokenStartOffset = (fromTokenIndex > 0 ? tokens[(fromTokenIndex - 1) << 1] : 0); var fromTokenEndOffset = tokens[fromTokenIndex << 1]; if (toChIndex < fromTokenEndOffset) { // the delete range is inside a single token var delta_1 = (toChIndex - fromChIndex); for (var i = fromTokenIndex; i < tokensCount; i++) { tokens[i << 1] -= delta_1; } return; } var dest; var lastEnd; if (fromTokenStartOffset !== fromChIndex) { tokens[fromTokenIndex << 1] = fromChIndex; dest = ((fromTokenIndex + 1) << 1); lastEnd = fromChIndex; } else { dest = (fromTokenIndex << 1); lastEnd = fromTokenStartOffset; } var delta = (toChIndex - fromChIndex); for (var tokenIndex = fromTokenIndex + 1; tokenIndex < tokensCount; tokenIndex++) { var tokenEndOffset = tokens[tokenIndex << 1] - delta; if (tokenEndOffset > lastEnd) { tokens[dest++] = tokenEndOffset; tokens[dest++] = tokens[(tokenIndex << 1) + 1]; lastEnd = tokenEndOffset; } } if (dest === tokens.length) { // nothing to trim return; } var tmp = new Uint32Array(dest); tmp.set(tokens.subarray(0, dest), 0); this._lineTokens = tmp.buffer; }; ModelLineTokens.prototype.append = function (_otherTokens) { if (_otherTokens === EMPTY_LINE_TOKENS) { return; } if (this._lineTokens === EMPTY_LINE_TOKENS) { this._lineTokens = _otherTokens; return; } if (this._lineTokens === null) { return; } if (_otherTokens === null) { // cannot determine combined line length... this._lineTokens = null; return; } var myTokens = new Uint32Array(this._lineTokens); var otherTokens = new Uint32Array(_otherTokens); var otherTokensCount = (otherTokens.length >>> 1); var result = new Uint32Array(myTokens.length + otherTokens.length); result.set(myTokens, 0); var dest = myTokens.length; var delta = myTokens[myTokens.length - 2]; for (var i = 0; i < otherTokensCount; i++) { result[dest++] = otherTokens[(i << 1)] + delta; result[dest++] = otherTokens[(i << 1) + 1]; } this._lineTokens = result.buffer; }; ModelLineTokens.prototype.insert = function (chIndex, textLength) { if (!this._lineTokens) { // nothing to do return; } var tokens = new Uint32Array(this._lineTokens); var tokensCount = (tokens.length >>> 1); var fromTokenIndex = __WEBPACK_IMPORTED_MODULE_2__core_lineTokens_js__["a" /* LineTokens */].findIndexInTokensArray(tokens, chIndex); if (fromTokenIndex > 0) { var fromTokenStartOffset = tokens[(fromTokenIndex - 1) << 1]; if (fromTokenStartOffset === chIndex) { fromTokenIndex--; } } for (var tokenIndex = fromTokenIndex; tokenIndex < tokensCount; tokenIndex++) { tokens[tokenIndex << 1] += textLength; } }; return ModelLineTokens; }()); var ModelLinesTokens = /** @class */ (function () { function ModelLinesTokens(languageIdentifier, tokenizationSupport) { this.languageIdentifier = languageIdentifier; this.tokenizationSupport = tokenizationSupport; this._tokens = []; if (this.tokenizationSupport) { var initialState = null; try { initialState = this.tokenizationSupport.getInitialState(); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(e); this.tokenizationSupport = null; } if (initialState) { this._tokens[0] = new ModelLineTokens(initialState); } } this._invalidLineStartIndex = 0; this._lastState = null; } Object.defineProperty(ModelLinesTokens.prototype, "inValidLineStartIndex", { get: function () { return this._invalidLineStartIndex; }, enumerable: true, configurable: true }); ModelLinesTokens.prototype.getTokens = function (topLevelLanguageId, lineIndex, lineText) { var rawLineTokens = null; if (lineIndex < this._tokens.length && this._tokens[lineIndex]) { rawLineTokens = this._tokens[lineIndex]._lineTokens; } if (rawLineTokens !== null && rawLineTokens !== EMPTY_LINE_TOKENS) { return new __WEBPACK_IMPORTED_MODULE_2__core_lineTokens_js__["a" /* LineTokens */](new Uint32Array(rawLineTokens), lineText); } var lineTokens = new Uint32Array(2); lineTokens[0] = lineText.length; lineTokens[1] = getDefaultMetadata(topLevelLanguageId); return new __WEBPACK_IMPORTED_MODULE_2__core_lineTokens_js__["a" /* LineTokens */](lineTokens, lineText); }; ModelLinesTokens.prototype.isCheapToTokenize = function (lineNumber) { var firstInvalidLineNumber = this._invalidLineStartIndex + 1; return (firstInvalidLineNumber >= lineNumber); }; ModelLinesTokens.prototype.hasLinesToTokenize = function (buffer) { return (this._invalidLineStartIndex < buffer.getLineCount()); }; ModelLinesTokens.prototype.invalidateLine = function (lineIndex) { this._setIsInvalid(lineIndex, true); if (lineIndex < this._invalidLineStartIndex) { this._setIsInvalid(this._invalidLineStartIndex, true); this._invalidLineStartIndex = lineIndex; } }; ModelLinesTokens.prototype._setIsInvalid = function (lineIndex, invalid) { if (lineIndex < this._tokens.length && this._tokens[lineIndex]) { this._tokens[lineIndex]._invalid = invalid; } }; ModelLinesTokens.prototype._isInvalid = function (lineIndex) { if (lineIndex < this._tokens.length && this._tokens[lineIndex]) { return this._tokens[lineIndex]._invalid; } return true; }; ModelLinesTokens.prototype._getState = function (lineIndex) { if (lineIndex < this._tokens.length && this._tokens[lineIndex]) { return this._tokens[lineIndex]._state; } return null; }; ModelLinesTokens.prototype._setTokens = function (topLevelLanguageId, lineIndex, lineTextLength, tokens) { var target; if (lineIndex < this._tokens.length && this._tokens[lineIndex]) { target = this._tokens[lineIndex]; } else { target = new ModelLineTokens(null); this._tokens[lineIndex] = target; } if (lineTextLength === 0) { var hasDifferentLanguageId = false; if (tokens && tokens.length > 1) { hasDifferentLanguageId = (__WEBPACK_IMPORTED_MODULE_4__modes_js__["u" /* TokenMetadata */].getLanguageId(tokens[1]) !== topLevelLanguageId); } if (!hasDifferentLanguageId) { target._lineTokens = EMPTY_LINE_TOKENS; return; } } if (!tokens || tokens.length === 0) { tokens = new Uint32Array(2); tokens[0] = 0; tokens[1] = getDefaultMetadata(topLevelLanguageId); } __WEBPACK_IMPORTED_MODULE_2__core_lineTokens_js__["a" /* LineTokens */].convertToEndOffset(tokens, lineTextLength); target._lineTokens = tokens.buffer; }; ModelLinesTokens.prototype._setState = function (lineIndex, state) { if (lineIndex < this._tokens.length && this._tokens[lineIndex]) { this._tokens[lineIndex]._state = state; } else { var tmp = new ModelLineTokens(state); this._tokens[lineIndex] = tmp; } }; //#region Editing ModelLinesTokens.prototype.applyEdits = function (range, eolCount, firstLineLength) { var deletingLinesCnt = range.endLineNumber - range.startLineNumber; var insertingLinesCnt = eolCount; var editingLinesCnt = Math.min(deletingLinesCnt, insertingLinesCnt); for (var j = editingLinesCnt; j >= 0; j--) { this.invalidateLine(range.startLineNumber + j - 1); } this._acceptDeleteRange(range); this._acceptInsertText(new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](range.startLineNumber, range.startColumn), eolCount, firstLineLength); }; ModelLinesTokens.prototype._acceptDeleteRange = function (range) { var firstLineIndex = range.startLineNumber - 1; if (firstLineIndex >= this._tokens.length) { return; } if (range.startLineNumber === range.endLineNumber) { if (range.startColumn === range.endColumn) { // Nothing to delete return; } this._tokens[firstLineIndex].delete(range.startColumn - 1, range.endColumn - 1); return; } var firstLine = this._tokens[firstLineIndex]; firstLine.deleteEnding(range.startColumn - 1); var lastLineIndex = range.endLineNumber - 1; var lastLineTokens = null; if (lastLineIndex < this._tokens.length) { var lastLine = this._tokens[lastLineIndex]; lastLine.deleteBeginning(range.endColumn - 1); lastLineTokens = lastLine._lineTokens; } // Take remaining text on last line and append it to remaining text on first line firstLine.append(lastLineTokens); // Delete middle lines this._tokens.splice(range.startLineNumber, range.endLineNumber - range.startLineNumber); }; ModelLinesTokens.prototype._acceptInsertText = function (position, eolCount, firstLineLength) { if (eolCount === 0 && firstLineLength === 0) { // Nothing to insert return; } var lineIndex = position.lineNumber - 1; if (lineIndex >= this._tokens.length) { return; } if (eolCount === 0) { // Inserting text on one line this._tokens[lineIndex].insert(position.column - 1, firstLineLength); return; } var line = this._tokens[lineIndex]; line.deleteEnding(position.column - 1); line.insert(position.column - 1, firstLineLength); var insert = new Array(eolCount); for (var i = eolCount - 1; i >= 0; i--) { insert[i] = new ModelLineTokens(null); } this._tokens = __WEBPACK_IMPORTED_MODULE_0__base_common_arrays_js__["a" /* arrayInsert */](this._tokens, position.lineNumber, insert); }; //#endregion //#region Tokenization ModelLinesTokens.prototype._tokenizeOneLine = function (buffer, eventBuilder) { if (!this.hasLinesToTokenize(buffer)) { return buffer.getLineCount() + 1; } var lineNumber = this._invalidLineStartIndex + 1; this._updateTokensUntilLine(buffer, eventBuilder, lineNumber); return lineNumber; }; ModelLinesTokens.prototype._tokenizeText = function (buffer, text, state) { var r = null; if (this.tokenizationSupport) { try { r = this.tokenizationSupport.tokenize2(text, state, 0); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(e); } } if (!r) { r = Object(__WEBPACK_IMPORTED_MODULE_5__modes_nullMode_js__["e" /* nullTokenize2 */])(this.languageIdentifier.id, text, state, 0); } return r; }; ModelLinesTokens.prototype._updateTokensUntilLine = function (buffer, eventBuilder, lineNumber) { if (!this.tokenizationSupport) { this._invalidLineStartIndex = buffer.getLineCount(); return; } var linesLength = buffer.getLineCount(); var endLineIndex = lineNumber - 1; // Validate all states up to and including endLineIndex for (var lineIndex = this._invalidLineStartIndex; lineIndex <= endLineIndex; lineIndex++) { var endStateIndex = lineIndex + 1; var text = buffer.getLineContent(lineIndex + 1); var lineStartState = this._getState(lineIndex); var r = null; try { // Tokenize only the first X characters var freshState = lineStartState.clone(); r = this.tokenizationSupport.tokenize2(text, freshState, 0); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(e); } if (!r) { r = Object(__WEBPACK_IMPORTED_MODULE_5__modes_nullMode_js__["e" /* nullTokenize2 */])(this.languageIdentifier.id, text, lineStartState, 0); } this._setTokens(this.languageIdentifier.id, lineIndex, text.length, r.tokens); eventBuilder.registerChangedTokens(lineIndex + 1); this._setIsInvalid(lineIndex, false); if (endStateIndex < linesLength) { var previousEndState = this._getState(endStateIndex); if (previousEndState !== null && r.endState.equals(previousEndState)) { // The end state of this line remains the same var nextInvalidLineIndex = lineIndex + 1; while (nextInvalidLineIndex < linesLength) { if (this._isInvalid(nextInvalidLineIndex)) { break; } if (nextInvalidLineIndex + 1 < linesLength) { if (this._getState(nextInvalidLineIndex + 1) === null) { break; } } else { if (this._lastState === null) { break; } } nextInvalidLineIndex++; } this._invalidLineStartIndex = Math.max(this._invalidLineStartIndex, nextInvalidLineIndex); lineIndex = nextInvalidLineIndex - 1; // -1 because the outer loop increments it } else { this._setState(endStateIndex, r.endState); } } else { this._lastState = r.endState; } } this._invalidLineStartIndex = Math.max(this._invalidLineStartIndex, endLineIndex + 1); }; return ModelLinesTokens; }()); var ModelTokensChangedEventBuilder = /** @class */ (function () { function ModelTokensChangedEventBuilder() { this._ranges = []; } ModelTokensChangedEventBuilder.prototype.registerChangedTokens = function (lineNumber) { var ranges = this._ranges; var rangesLength = ranges.length; var previousRange = rangesLength > 0 ? ranges[rangesLength - 1] : null; if (previousRange && previousRange.toLineNumber === lineNumber - 1) { // extend previous range previousRange.toLineNumber++; } else { // insert new range ranges[rangesLength] = { fromLineNumber: lineNumber, toLineNumber: lineNumber }; } }; ModelTokensChangedEventBuilder.prototype.build = function () { if (this._ranges.length === 0) { return null; } return { tokenizationSupportChanged: false, ranges: this._ranges }; }; return ModelTokensChangedEventBuilder; }()); /***/ }), /***/ 1951: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return CursorMoveCommands; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CursorMove; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__ = __webpack_require__(1706); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__cursorWordOperations_js__ = __webpack_require__(1952); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CursorMoveCommands = /** @class */ (function () { function CursorMoveCommands() { } CursorMoveCommands.addCursorDown = function (context, cursors, useLogicalLine) { var result = [], resultLen = 0; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */](cursor.modelState, cursor.viewState); if (useLogicalLine) { result[resultLen++] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].translateDown(context.config, context.model, cursor.modelState)); } else { result[resultLen++] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].translateDown(context.config, context.viewModel, cursor.viewState)); } } return result; }; CursorMoveCommands.addCursorUp = function (context, cursors, useLogicalLine) { var result = [], resultLen = 0; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */](cursor.modelState, cursor.viewState); if (useLogicalLine) { result[resultLen++] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].translateUp(context.config, context.model, cursor.modelState)); } else { result[resultLen++] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].translateUp(context.config, context.viewModel, cursor.viewState)); } } return result; }; CursorMoveCommands.moveToBeginningOfLine = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = this._moveToLineStart(context, cursor, inSelectionMode); } return result; }; CursorMoveCommands._moveToLineStart = function (context, cursor, inSelectionMode) { var currentViewStateColumn = cursor.viewState.position.column; var currentModelStateColumn = cursor.modelState.position.column; var isFirstLineOfWrappedLine = currentViewStateColumn === currentModelStateColumn; var currentViewStatelineNumber = cursor.viewState.position.lineNumber; var firstNonBlankColumn = context.viewModel.getLineFirstNonWhitespaceColumn(currentViewStatelineNumber); var isBeginningOfViewLine = currentViewStateColumn === firstNonBlankColumn; if (!isFirstLineOfWrappedLine && !isBeginningOfViewLine) { return this._moveToLineStartByView(context, cursor, inSelectionMode); } else { return this._moveToLineStartByModel(context, cursor, inSelectionMode); } }; CursorMoveCommands._moveToLineStartByView = function (context, cursor, inSelectionMode) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveToBeginningOfLine(context.config, context.viewModel, cursor.viewState, inSelectionMode)); }; CursorMoveCommands._moveToLineStartByModel = function (context, cursor, inSelectionMode) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveToBeginningOfLine(context.config, context.model, cursor.modelState, inSelectionMode)); }; CursorMoveCommands.moveToEndOfLine = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = this._moveToLineEnd(context, cursor, inSelectionMode); } return result; }; CursorMoveCommands._moveToLineEnd = function (context, cursor, inSelectionMode) { var viewStatePosition = cursor.viewState.position; var viewModelMaxColumn = context.viewModel.getLineMaxColumn(viewStatePosition.lineNumber); var isEndOfViewLine = viewStatePosition.column === viewModelMaxColumn; var modelStatePosition = cursor.modelState.position; var modelMaxColumn = context.model.getLineMaxColumn(modelStatePosition.lineNumber); var isEndLineOfWrappedLine = viewModelMaxColumn - viewStatePosition.column === modelMaxColumn - modelStatePosition.column; if (isEndOfViewLine || isEndLineOfWrappedLine) { return this._moveToLineEndByModel(context, cursor, inSelectionMode); } else { return this._moveToLineEndByView(context, cursor, inSelectionMode); } }; CursorMoveCommands._moveToLineEndByView = function (context, cursor, inSelectionMode) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveToEndOfLine(context.config, context.viewModel, cursor.viewState, inSelectionMode)); }; CursorMoveCommands._moveToLineEndByModel = function (context, cursor, inSelectionMode) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveToEndOfLine(context.config, context.model, cursor.modelState, inSelectionMode)); }; CursorMoveCommands.expandLineSelection = function (context, cursors) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewSelection = cursor.viewState.selection; var startLineNumber = viewSelection.startLineNumber; var lineCount = context.viewModel.getLineCount(); var endLineNumber = viewSelection.endLineNumber; var endColumn = void 0; if (endLineNumber === lineCount) { endColumn = context.viewModel.getLineMaxColumn(lineCount); } else { endLineNumber++; endColumn = 1; } result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_5__core_range_js__["a" /* Range */](startLineNumber, 1, startLineNumber, 1), 0, new __WEBPACK_IMPORTED_MODULE_4__core_position_js__["a" /* Position */](endLineNumber, endColumn), 0)); } return result; }; CursorMoveCommands.moveToBeginningOfBuffer = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveToBeginningOfBuffer(context.config, context.model, cursor.modelState, inSelectionMode)); } return result; }; CursorMoveCommands.moveToEndOfBuffer = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveToEndOfBuffer(context.config, context.model, cursor.modelState, inSelectionMode)); } return result; }; CursorMoveCommands.selectAll = function (context, cursor) { var lineCount = context.model.getLineCount(); var maxColumn = context.model.getLineMaxColumn(lineCount); return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_5__core_range_js__["a" /* Range */](1, 1, 1, 1), 0, new __WEBPACK_IMPORTED_MODULE_4__core_position_js__["a" /* Position */](lineCount, maxColumn), 0)); }; CursorMoveCommands.line = function (context, cursor, inSelectionMode, _position, _viewPosition) { var position = context.model.validatePosition(_position); var viewPosition = (_viewPosition ? context.validateViewPosition(new __WEBPACK_IMPORTED_MODULE_4__core_position_js__["a" /* Position */](_viewPosition.lineNumber, _viewPosition.column), position) : context.convertModelPositionToViewPosition(position)); if (!inSelectionMode || !cursor.modelState.hasSelection()) { // Entering line selection for the first time var lineCount = context.model.getLineCount(); var selectToLineNumber = position.lineNumber + 1; var selectToColumn = 1; if (selectToLineNumber > lineCount) { selectToLineNumber = lineCount; selectToColumn = context.model.getLineMaxColumn(selectToLineNumber); } return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_5__core_range_js__["a" /* Range */](position.lineNumber, 1, selectToLineNumber, selectToColumn), 0, new __WEBPACK_IMPORTED_MODULE_4__core_position_js__["a" /* Position */](selectToLineNumber, selectToColumn), 0)); } // Continuing line selection var enteringLineNumber = cursor.modelState.selectionStart.getStartPosition().lineNumber; if (position.lineNumber < enteringLineNumber) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(cursor.viewState.move(cursor.modelState.hasSelection(), viewPosition.lineNumber, 1, 0)); } else if (position.lineNumber > enteringLineNumber) { var lineCount = context.viewModel.getLineCount(); var selectToViewLineNumber = viewPosition.lineNumber + 1; var selectToViewColumn = 1; if (selectToViewLineNumber > lineCount) { selectToViewLineNumber = lineCount; selectToViewColumn = context.viewModel.getLineMaxColumn(selectToViewLineNumber); } return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(cursor.viewState.move(cursor.modelState.hasSelection(), selectToViewLineNumber, selectToViewColumn, 0)); } else { var endPositionOfSelectionStart = cursor.modelState.selectionStart.getEndPosition(); return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(cursor.modelState.move(cursor.modelState.hasSelection(), endPositionOfSelectionStart.lineNumber, endPositionOfSelectionStart.column, 0)); } }; CursorMoveCommands.word = function (context, cursor, inSelectionMode, _position) { var position = context.model.validatePosition(_position); return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_3__cursorWordOperations_js__["a" /* WordOperations */].word(context.config, context.model, cursor.modelState, inSelectionMode, position)); }; CursorMoveCommands.cancelSelection = function (context, cursor) { if (!cursor.modelState.hasSelection()) { return new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */](cursor.modelState, cursor.viewState); } var lineNumber = cursor.viewState.position.lineNumber; var column = cursor.viewState.position.column; return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_5__core_range_js__["a" /* Range */](lineNumber, column, lineNumber, column), 0, new __WEBPACK_IMPORTED_MODULE_4__core_position_js__["a" /* Position */](lineNumber, column), 0)); }; CursorMoveCommands.moveTo = function (context, cursor, inSelectionMode, _position, _viewPosition) { var position = context.model.validatePosition(_position); var viewPosition = (_viewPosition ? context.validateViewPosition(new __WEBPACK_IMPORTED_MODULE_4__core_position_js__["a" /* Position */](_viewPosition.lineNumber, _viewPosition.column), position) : context.convertModelPositionToViewPosition(position)); return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(cursor.viewState.move(inSelectionMode, viewPosition.lineNumber, viewPosition.column, 0)); }; CursorMoveCommands.move = function (context, cursors, args) { var inSelectionMode = args.select; var value = args.value; switch (args.direction) { case 0 /* Left */: { if (args.unit === 4 /* HalfLine */) { // Move left by half the current line length return this._moveHalfLineLeft(context, cursors, inSelectionMode); } else { // Move left by `moveParams.value` columns return this._moveLeft(context, cursors, inSelectionMode, value); } } case 1 /* Right */: { if (args.unit === 4 /* HalfLine */) { // Move right by half the current line length return this._moveHalfLineRight(context, cursors, inSelectionMode); } else { // Move right by `moveParams.value` columns return this._moveRight(context, cursors, inSelectionMode, value); } } case 2 /* Up */: { if (args.unit === 2 /* WrappedLine */) { // Move up by view lines return this._moveUpByViewLines(context, cursors, inSelectionMode, value); } else { // Move up by model lines return this._moveUpByModelLines(context, cursors, inSelectionMode, value); } } case 3 /* Down */: { if (args.unit === 2 /* WrappedLine */) { // Move down by view lines return this._moveDownByViewLines(context, cursors, inSelectionMode, value); } else { // Move down by model lines return this._moveDownByModelLines(context, cursors, inSelectionMode, value); } } case 4 /* WrappedLineStart */: { // Move to the beginning of the current view line return this._moveToViewMinColumn(context, cursors, inSelectionMode); } case 5 /* WrappedLineFirstNonWhitespaceCharacter */: { // Move to the first non-whitespace column of the current view line return this._moveToViewFirstNonWhitespaceColumn(context, cursors, inSelectionMode); } case 6 /* WrappedLineColumnCenter */: { // Move to the "center" of the current view line return this._moveToViewCenterColumn(context, cursors, inSelectionMode); } case 7 /* WrappedLineEnd */: { // Move to the end of the current view line return this._moveToViewMaxColumn(context, cursors, inSelectionMode); } case 8 /* WrappedLineLastNonWhitespaceCharacter */: { // Move to the last non-whitespace column of the current view line return this._moveToViewLastNonWhitespaceColumn(context, cursors, inSelectionMode); } case 9 /* ViewPortTop */: { // Move to the nth line start in the viewport (from the top) var cursor = cursors[0]; var visibleModelRange = context.getCompletelyVisibleModelRange(); var modelLineNumber = this._firstLineNumberInRange(context.model, visibleModelRange, value); var modelColumn = context.model.getLineFirstNonWhitespaceColumn(modelLineNumber); return [this._moveToModelPosition(context, cursor, inSelectionMode, modelLineNumber, modelColumn)]; } case 11 /* ViewPortBottom */: { // Move to the nth line start in the viewport (from the bottom) var cursor = cursors[0]; var visibleModelRange = context.getCompletelyVisibleModelRange(); var modelLineNumber = this._lastLineNumberInRange(context.model, visibleModelRange, value); var modelColumn = context.model.getLineFirstNonWhitespaceColumn(modelLineNumber); return [this._moveToModelPosition(context, cursor, inSelectionMode, modelLineNumber, modelColumn)]; } case 10 /* ViewPortCenter */: { // Move to the line start in the viewport center var cursor = cursors[0]; var visibleModelRange = context.getCompletelyVisibleModelRange(); var modelLineNumber = Math.round((visibleModelRange.startLineNumber + visibleModelRange.endLineNumber) / 2); var modelColumn = context.model.getLineFirstNonWhitespaceColumn(modelLineNumber); return [this._moveToModelPosition(context, cursor, inSelectionMode, modelLineNumber, modelColumn)]; } case 12 /* ViewPortIfOutside */: { // Move to a position inside the viewport var visibleViewRange = context.getCompletelyVisibleViewRange(); var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = this.findPositionInViewportIfOutside(context, cursor, visibleViewRange, inSelectionMode); } return result; } } return null; }; CursorMoveCommands.findPositionInViewportIfOutside = function (context, cursor, visibleViewRange, inSelectionMode) { var viewLineNumber = cursor.viewState.position.lineNumber; if (visibleViewRange.startLineNumber <= viewLineNumber && viewLineNumber <= visibleViewRange.endLineNumber - 1) { // Nothing to do, cursor is in viewport return new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */](cursor.modelState, cursor.viewState); } else { if (viewLineNumber > visibleViewRange.endLineNumber - 1) { viewLineNumber = visibleViewRange.endLineNumber - 1; } if (viewLineNumber < visibleViewRange.startLineNumber) { viewLineNumber = visibleViewRange.startLineNumber; } var viewColumn = context.viewModel.getLineFirstNonWhitespaceColumn(viewLineNumber); return this._moveToViewPosition(context, cursor, inSelectionMode, viewLineNumber, viewColumn); } }; /** * Find the nth line start included in the range (from the start). */ CursorMoveCommands._firstLineNumberInRange = function (model, range, count) { var startLineNumber = range.startLineNumber; if (range.startColumn !== model.getLineMinColumn(startLineNumber)) { // Move on to the second line if the first line start is not included in the range startLineNumber++; } return Math.min(range.endLineNumber, startLineNumber + count - 1); }; /** * Find the nth line start included in the range (from the end). */ CursorMoveCommands._lastLineNumberInRange = function (model, range, count) { var startLineNumber = range.startLineNumber; if (range.startColumn !== model.getLineMinColumn(startLineNumber)) { // Move on to the second line if the first line start is not included in the range startLineNumber++; } return Math.max(startLineNumber, range.endLineNumber - count + 1); }; CursorMoveCommands._moveLeft = function (context, cursors, inSelectionMode, noOfColumns) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var newViewState = __WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveLeft(context.config, context.viewModel, cursor.viewState, inSelectionMode, noOfColumns); if (noOfColumns === 1 && newViewState.position.lineNumber !== cursor.viewState.position.lineNumber) { // moved over to the previous view line var newViewModelPosition = context.viewModel.coordinatesConverter.convertViewPositionToModelPosition(newViewState.position); if (newViewModelPosition.lineNumber === cursor.modelState.position.lineNumber) { // stayed on the same model line => pass wrapping point where 2 view positions map to a single model position newViewState = __WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveLeft(context.config, context.viewModel, newViewState, inSelectionMode, 1); } } result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(newViewState); } return result; }; CursorMoveCommands._moveHalfLineLeft = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var halfLine = Math.round(context.viewModel.getLineContent(viewLineNumber).length / 2); result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveLeft(context.config, context.viewModel, cursor.viewState, inSelectionMode, halfLine)); } return result; }; CursorMoveCommands._moveRight = function (context, cursors, inSelectionMode, noOfColumns) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var newViewState = __WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveRight(context.config, context.viewModel, cursor.viewState, inSelectionMode, noOfColumns); if (noOfColumns === 1 && newViewState.position.lineNumber !== cursor.viewState.position.lineNumber) { // moved over to the next view line var newViewModelPosition = context.viewModel.coordinatesConverter.convertViewPositionToModelPosition(newViewState.position); if (newViewModelPosition.lineNumber === cursor.modelState.position.lineNumber) { // stayed on the same model line => pass wrapping point where 2 view positions map to a single model position newViewState = __WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveRight(context.config, context.viewModel, newViewState, inSelectionMode, 1); } } result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(newViewState); } return result; }; CursorMoveCommands._moveHalfLineRight = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var halfLine = Math.round(context.viewModel.getLineContent(viewLineNumber).length / 2); result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveRight(context.config, context.viewModel, cursor.viewState, inSelectionMode, halfLine)); } return result; }; CursorMoveCommands._moveDownByViewLines = function (context, cursors, inSelectionMode, linesCount) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveDown(context.config, context.viewModel, cursor.viewState, inSelectionMode, linesCount)); } return result; }; CursorMoveCommands._moveDownByModelLines = function (context, cursors, inSelectionMode, linesCount) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveDown(context.config, context.model, cursor.modelState, inSelectionMode, linesCount)); } return result; }; CursorMoveCommands._moveUpByViewLines = function (context, cursors, inSelectionMode, linesCount) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveUp(context.config, context.viewModel, cursor.viewState, inSelectionMode, linesCount)); } return result; }; CursorMoveCommands._moveUpByModelLines = function (context, cursors, inSelectionMode, linesCount) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; result[i] = __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(__WEBPACK_IMPORTED_MODULE_2__cursorMoveOperations_js__["a" /* MoveOperations */].moveUp(context.config, context.model, cursor.modelState, inSelectionMode, linesCount)); } return result; }; CursorMoveCommands._moveToViewPosition = function (context, cursor, inSelectionMode, toViewLineNumber, toViewColumn) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromViewState(cursor.viewState.move(inSelectionMode, toViewLineNumber, toViewColumn, 0)); }; CursorMoveCommands._moveToModelPosition = function (context, cursor, inSelectionMode, toModelLineNumber, toModelColumn) { return __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["d" /* CursorState */].fromModelState(cursor.modelState.move(inSelectionMode, toModelLineNumber, toModelColumn, 0)); }; CursorMoveCommands._moveToViewMinColumn = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var viewColumn = context.viewModel.getLineMinColumn(viewLineNumber); result[i] = this._moveToViewPosition(context, cursor, inSelectionMode, viewLineNumber, viewColumn); } return result; }; CursorMoveCommands._moveToViewFirstNonWhitespaceColumn = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var viewColumn = context.viewModel.getLineFirstNonWhitespaceColumn(viewLineNumber); result[i] = this._moveToViewPosition(context, cursor, inSelectionMode, viewLineNumber, viewColumn); } return result; }; CursorMoveCommands._moveToViewCenterColumn = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var viewColumn = Math.round((context.viewModel.getLineMaxColumn(viewLineNumber) + context.viewModel.getLineMinColumn(viewLineNumber)) / 2); result[i] = this._moveToViewPosition(context, cursor, inSelectionMode, viewLineNumber, viewColumn); } return result; }; CursorMoveCommands._moveToViewMaxColumn = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var viewColumn = context.viewModel.getLineMaxColumn(viewLineNumber); result[i] = this._moveToViewPosition(context, cursor, inSelectionMode, viewLineNumber, viewColumn); } return result; }; CursorMoveCommands._moveToViewLastNonWhitespaceColumn = function (context, cursors, inSelectionMode) { var result = []; for (var i = 0, len = cursors.length; i < len; i++) { var cursor = cursors[i]; var viewLineNumber = cursor.viewState.position.lineNumber; var viewColumn = context.viewModel.getLineLastNonWhitespaceColumn(viewLineNumber); result[i] = this._moveToViewPosition(context, cursor, inSelectionMode, viewLineNumber, viewColumn); } return result; }; return CursorMoveCommands; }()); var CursorMove; (function (CursorMove) { var isCursorMoveArgs = function (arg) { if (!__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["h" /* isObject */](arg)) { return false; } var cursorMoveArg = arg; if (!__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["i" /* isString */](cursorMoveArg.to)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["j" /* isUndefined */](cursorMoveArg.select) && !__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["d" /* isBoolean */](cursorMoveArg.select)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["j" /* isUndefined */](cursorMoveArg.by) && !__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["i" /* isString */](cursorMoveArg.by)) { return false; } if (!__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["j" /* isUndefined */](cursorMoveArg.value) && !__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["g" /* isNumber */](cursorMoveArg.value)) { return false; } return true; }; CursorMove.description = { description: 'Move cursor to a logical position in the view', args: [ { name: 'Cursor move argument object', description: "Property-value pairs that can be passed through this argument:\n\t\t\t\t\t* 'to': A mandatory logical position value providing where to move the cursor.\n\t\t\t\t\t\t```\n\t\t\t\t\t\t'left', 'right', 'up', 'down'\n\t\t\t\t\t\t'wrappedLineStart', 'wrappedLineEnd', 'wrappedLineColumnCenter'\n\t\t\t\t\t\t'wrappedLineFirstNonWhitespaceCharacter', 'wrappedLineLastNonWhitespaceCharacter'\n\t\t\t\t\t\t'viewPortTop', 'viewPortCenter', 'viewPortBottom', 'viewPortIfOutside'\n\t\t\t\t\t\t```\n\t\t\t\t\t* 'by': Unit to move. Default is computed based on 'to' value.\n\t\t\t\t\t\t```\n\t\t\t\t\t\t'line', 'wrappedLine', 'character', 'halfLine'\n\t\t\t\t\t\t```\n\t\t\t\t\t* 'value': Number of units to move. Default is '1'.\n\t\t\t\t\t* 'select': If 'true' makes the selection. Default is 'false'.\n\t\t\t\t", constraint: isCursorMoveArgs, schema: { 'type': 'object', 'required': ['to'], 'properties': { 'to': { 'type': 'string', 'enum': ['left', 'right', 'up', 'down', 'wrappedLineStart', 'wrappedLineEnd', 'wrappedLineColumnCenter', 'wrappedLineFirstNonWhitespaceCharacter', 'wrappedLineLastNonWhitespaceCharacter', 'viewPortTop', 'viewPortCenter', 'viewPortBottom', 'viewPortIfOutside'] }, 'by': { 'type': 'string', 'enum': ['line', 'wrappedLine', 'character', 'halfLine'] }, 'value': { 'type': 'number', 'default': 1 }, 'select': { 'type': 'boolean', 'default': false } } } } ] }; /** * Positions in the view for cursor move command. */ CursorMove.RawDirection = { Left: 'left', Right: 'right', Up: 'up', Down: 'down', WrappedLineStart: 'wrappedLineStart', WrappedLineFirstNonWhitespaceCharacter: 'wrappedLineFirstNonWhitespaceCharacter', WrappedLineColumnCenter: 'wrappedLineColumnCenter', WrappedLineEnd: 'wrappedLineEnd', WrappedLineLastNonWhitespaceCharacter: 'wrappedLineLastNonWhitespaceCharacter', ViewPortTop: 'viewPortTop', ViewPortCenter: 'viewPortCenter', ViewPortBottom: 'viewPortBottom', ViewPortIfOutside: 'viewPortIfOutside' }; /** * Units for Cursor move 'by' argument */ CursorMove.RawUnit = { Line: 'line', WrappedLine: 'wrappedLine', Character: 'character', HalfLine: 'halfLine' }; function parse(args) { if (!args.to) { // illegal arguments return null; } var direction; switch (args.to) { case CursorMove.RawDirection.Left: direction = 0 /* Left */; break; case CursorMove.RawDirection.Right: direction = 1 /* Right */; break; case CursorMove.RawDirection.Up: direction = 2 /* Up */; break; case CursorMove.RawDirection.Down: direction = 3 /* Down */; break; case CursorMove.RawDirection.WrappedLineStart: direction = 4 /* WrappedLineStart */; break; case CursorMove.RawDirection.WrappedLineFirstNonWhitespaceCharacter: direction = 5 /* WrappedLineFirstNonWhitespaceCharacter */; break; case CursorMove.RawDirection.WrappedLineColumnCenter: direction = 6 /* WrappedLineColumnCenter */; break; case CursorMove.RawDirection.WrappedLineEnd: direction = 7 /* WrappedLineEnd */; break; case CursorMove.RawDirection.WrappedLineLastNonWhitespaceCharacter: direction = 8 /* WrappedLineLastNonWhitespaceCharacter */; break; case CursorMove.RawDirection.ViewPortTop: direction = 9 /* ViewPortTop */; break; case CursorMove.RawDirection.ViewPortBottom: direction = 11 /* ViewPortBottom */; break; case CursorMove.RawDirection.ViewPortCenter: direction = 10 /* ViewPortCenter */; break; case CursorMove.RawDirection.ViewPortIfOutside: direction = 12 /* ViewPortIfOutside */; break; default: // illegal arguments return null; } var unit = 0 /* None */; switch (args.by) { case CursorMove.RawUnit.Line: unit = 1 /* Line */; break; case CursorMove.RawUnit.WrappedLine: unit = 2 /* WrappedLine */; break; case CursorMove.RawUnit.Character: unit = 3 /* Character */; break; case CursorMove.RawUnit.HalfLine: unit = 4 /* HalfLine */; break; } return { direction: direction, unit: unit, select: (!!args.select), value: (args.value || 1) }; } CursorMove.parse = parse; })(CursorMove || (CursorMove = {})); /***/ }), /***/ 1952: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return WordOperations; }); /* unused harmony export WordPartOperations */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__wordCharacterClassifier_js__ = __webpack_require__(1450); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var WordOperations = /** @class */ (function () { function WordOperations() { } WordOperations._createWord = function (lineContent, wordType, nextCharClass, start, end) { // console.log('WORD ==> ' + start + ' => ' + end + ':::: <<<' + lineContent.substring(start, end) + '>>>'); return { start: start, end: end, wordType: wordType, nextCharClass: nextCharClass }; }; WordOperations._findPreviousWordOnLine = function (wordSeparators, model, position) { var lineContent = model.getLineContent(position.lineNumber); return this._doFindPreviousWordOnLine(lineContent, wordSeparators, position); }; WordOperations._doFindPreviousWordOnLine = function (lineContent, wordSeparators, position) { var wordType = 0 /* None */; for (var chIndex = position.column - 2; chIndex >= 0; chIndex--) { var chCode = lineContent.charCodeAt(chIndex); var chClass = wordSeparators.get(chCode); if (chClass === 0 /* Regular */) { if (wordType === 2 /* Separator */) { return this._createWord(lineContent, wordType, chClass, chIndex + 1, this._findEndOfWord(lineContent, wordSeparators, wordType, chIndex + 1)); } wordType = 1 /* Regular */; } else if (chClass === 2 /* WordSeparator */) { if (wordType === 1 /* Regular */) { return this._createWord(lineContent, wordType, chClass, chIndex + 1, this._findEndOfWord(lineContent, wordSeparators, wordType, chIndex + 1)); } wordType = 2 /* Separator */; } else if (chClass === 1 /* Whitespace */) { if (wordType !== 0 /* None */) { return this._createWord(lineContent, wordType, chClass, chIndex + 1, this._findEndOfWord(lineContent, wordSeparators, wordType, chIndex + 1)); } } } if (wordType !== 0 /* None */) { return this._createWord(lineContent, wordType, 1 /* Whitespace */, 0, this._findEndOfWord(lineContent, wordSeparators, wordType, 0)); } return null; }; WordOperations._findEndOfWord = function (lineContent, wordSeparators, wordType, startIndex) { var len = lineContent.length; for (var chIndex = startIndex; chIndex < len; chIndex++) { var chCode = lineContent.charCodeAt(chIndex); var chClass = wordSeparators.get(chCode); if (chClass === 1 /* Whitespace */) { return chIndex; } if (wordType === 1 /* Regular */ && chClass === 2 /* WordSeparator */) { return chIndex; } if (wordType === 2 /* Separator */ && chClass === 0 /* Regular */) { return chIndex; } } return len; }; WordOperations._findNextWordOnLine = function (wordSeparators, model, position) { var lineContent = model.getLineContent(position.lineNumber); return this._doFindNextWordOnLine(lineContent, wordSeparators, position); }; WordOperations._doFindNextWordOnLine = function (lineContent, wordSeparators, position) { var wordType = 0 /* None */; var len = lineContent.length; for (var chIndex = position.column - 1; chIndex < len; chIndex++) { var chCode = lineContent.charCodeAt(chIndex); var chClass = wordSeparators.get(chCode); if (chClass === 0 /* Regular */) { if (wordType === 2 /* Separator */) { return this._createWord(lineContent, wordType, chClass, this._findStartOfWord(lineContent, wordSeparators, wordType, chIndex - 1), chIndex); } wordType = 1 /* Regular */; } else if (chClass === 2 /* WordSeparator */) { if (wordType === 1 /* Regular */) { return this._createWord(lineContent, wordType, chClass, this._findStartOfWord(lineContent, wordSeparators, wordType, chIndex - 1), chIndex); } wordType = 2 /* Separator */; } else if (chClass === 1 /* Whitespace */) { if (wordType !== 0 /* None */) { return this._createWord(lineContent, wordType, chClass, this._findStartOfWord(lineContent, wordSeparators, wordType, chIndex - 1), chIndex); } } } if (wordType !== 0 /* None */) { return this._createWord(lineContent, wordType, 1 /* Whitespace */, this._findStartOfWord(lineContent, wordSeparators, wordType, len - 1), len); } return null; }; WordOperations._findStartOfWord = function (lineContent, wordSeparators, wordType, startIndex) { for (var chIndex = startIndex; chIndex >= 0; chIndex--) { var chCode = lineContent.charCodeAt(chIndex); var chClass = wordSeparators.get(chCode); if (chClass === 1 /* Whitespace */) { return chIndex + 1; } if (wordType === 1 /* Regular */ && chClass === 2 /* WordSeparator */) { return chIndex + 1; } if (wordType === 2 /* Separator */ && chClass === 0 /* Regular */) { return chIndex + 1; } } return 0; }; WordOperations.moveWordLeft = function (wordSeparators, model, position, wordNavigationType) { var lineNumber = position.lineNumber; var column = position.column; var movedToPreviousLine = false; if (column === 1) { if (lineNumber > 1) { movedToPreviousLine = true; lineNumber = lineNumber - 1; column = model.getLineMaxColumn(lineNumber); } } var prevWordOnLine = WordOperations._findPreviousWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column)); if (wordNavigationType === 0 /* WordStart */) { if (prevWordOnLine && !movedToPreviousLine) { // Special case for Visual Studio compatibility: // when starting in the trim whitespace at the end of a line, // go to the end of the last word var lastWhitespaceColumn = model.getLineLastNonWhitespaceColumn(lineNumber); if (lastWhitespaceColumn < column) { return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine.end + 1); } } return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine ? prevWordOnLine.start + 1 : 1); } if (wordNavigationType === 1 /* WordStartFast */) { if (prevWordOnLine && prevWordOnLine.wordType === 2 /* Separator */ && prevWordOnLine.end - prevWordOnLine.start === 1 && prevWordOnLine.nextCharClass === 0 /* Regular */) { // Skip over a word made up of one single separator and followed by a regular character prevWordOnLine = WordOperations._findPreviousWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine.start + 1)); } return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine ? prevWordOnLine.start + 1 : 1); } // We are stopping at the ending of words if (prevWordOnLine && column <= prevWordOnLine.end + 1) { prevWordOnLine = WordOperations._findPreviousWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine.start + 1)); } return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine ? prevWordOnLine.end + 1 : 1); }; WordOperations._moveWordPartLeft = function (model, position) { var lineNumber = position.lineNumber; var maxColumn = model.getLineMaxColumn(lineNumber); if (position.column === 1) { return (lineNumber > 1 ? new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber - 1, model.getLineMaxColumn(lineNumber - 1)) : position); } var lineContent = model.getLineContent(lineNumber); for (var column = position.column - 1; column > 1; column--) { var left = lineContent.charCodeAt(column - 2); var right = lineContent.charCodeAt(column - 1); if (left !== 95 /* Underline */ && right === 95 /* Underline */) { // snake_case_variables return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); } if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["v" /* isLowerAsciiLetter */](left) && __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["w" /* isUpperAsciiLetter */](right)) { // camelCaseVariables return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); } if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["w" /* isUpperAsciiLetter */](left) && __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["w" /* isUpperAsciiLetter */](right)) { // thisIsACamelCaseWithOneLetterWords if (column + 1 < maxColumn) { var rightRight = lineContent.charCodeAt(column); if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["v" /* isLowerAsciiLetter */](rightRight)) { return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); } } } } return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, 1); }; WordOperations.moveWordRight = function (wordSeparators, model, position, wordNavigationType) { var lineNumber = position.lineNumber; var column = position.column; var movedDown = false; if (column === model.getLineMaxColumn(lineNumber)) { if (lineNumber < model.getLineCount()) { movedDown = true; lineNumber = lineNumber + 1; column = 1; } } var nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column)); if (wordNavigationType === 2 /* WordEnd */) { if (nextWordOnLine && nextWordOnLine.wordType === 2 /* Separator */) { if (nextWordOnLine.end - nextWordOnLine.start === 1 && nextWordOnLine.nextCharClass === 0 /* Regular */) { // Skip over a word made up of one single separator and followed by a regular character nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, nextWordOnLine.end + 1)); } } if (nextWordOnLine) { column = nextWordOnLine.end + 1; } else { column = model.getLineMaxColumn(lineNumber); } } else { if (nextWordOnLine && !movedDown && column >= nextWordOnLine.start + 1) { nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, nextWordOnLine.end + 1)); } if (nextWordOnLine) { column = nextWordOnLine.start + 1; } else { column = model.getLineMaxColumn(lineNumber); } } return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); }; WordOperations._moveWordPartRight = function (model, position) { var lineNumber = position.lineNumber; var maxColumn = model.getLineMaxColumn(lineNumber); if (position.column === maxColumn) { return (lineNumber < model.getLineCount() ? new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber + 1, 1) : position); } var lineContent = model.getLineContent(lineNumber); for (var column = position.column + 1; column < maxColumn; column++) { var left = lineContent.charCodeAt(column - 2); var right = lineContent.charCodeAt(column - 1); if (left === 95 /* Underline */ && right !== 95 /* Underline */) { // snake_case_variables return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); } if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["v" /* isLowerAsciiLetter */](left) && __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["w" /* isUpperAsciiLetter */](right)) { // camelCaseVariables return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); } if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["w" /* isUpperAsciiLetter */](left) && __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["w" /* isUpperAsciiLetter */](right)) { // thisIsACamelCaseWithOneLetterWords if (column + 1 < maxColumn) { var rightRight = lineContent.charCodeAt(column); if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["v" /* isLowerAsciiLetter */](rightRight)) { return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); } } } } return new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, maxColumn); }; WordOperations._deleteWordLeftWhitespace = function (model, position) { var lineContent = model.getLineContent(position.lineNumber); var startIndex = position.column - 2; var lastNonWhitespace = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["x" /* lastNonWhitespaceIndex */](lineContent, startIndex); if (lastNonWhitespace + 1 < startIndex) { return new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](position.lineNumber, lastNonWhitespace + 2, position.lineNumber, position.column); } return null; }; WordOperations.deleteWordLeft = function (wordSeparators, model, selection, whitespaceHeuristics, wordNavigationType) { if (!selection.isEmpty()) { return selection; } var position = new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](selection.positionLineNumber, selection.positionColumn); var lineNumber = position.lineNumber; var column = position.column; if (lineNumber === 1 && column === 1) { // Ignore deleting at beginning of file return null; } if (whitespaceHeuristics) { var r = this._deleteWordLeftWhitespace(model, position); if (r) { return r; } } var prevWordOnLine = WordOperations._findPreviousWordOnLine(wordSeparators, model, position); if (wordNavigationType === 0 /* WordStart */) { if (prevWordOnLine) { column = prevWordOnLine.start + 1; } else { if (column > 1) { column = 1; } else { lineNumber--; column = model.getLineMaxColumn(lineNumber); } } } else { if (prevWordOnLine && column <= prevWordOnLine.end + 1) { prevWordOnLine = WordOperations._findPreviousWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, prevWordOnLine.start + 1)); } if (prevWordOnLine) { column = prevWordOnLine.end + 1; } else { if (column > 1) { column = 1; } else { lineNumber--; column = model.getLineMaxColumn(lineNumber); } } } return new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](lineNumber, column, position.lineNumber, position.column); }; WordOperations._deleteWordPartLeft = function (model, selection) { if (!selection.isEmpty()) { return selection; } var pos = selection.getPosition(); var toPosition = WordOperations._moveWordPartLeft(model, pos); return new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](pos.lineNumber, pos.column, toPosition.lineNumber, toPosition.column); }; WordOperations._findFirstNonWhitespaceChar = function (str, startIndex) { var len = str.length; for (var chIndex = startIndex; chIndex < len; chIndex++) { var ch = str.charAt(chIndex); if (ch !== ' ' && ch !== '\t') { return chIndex; } } return len; }; WordOperations._deleteWordRightWhitespace = function (model, position) { var lineContent = model.getLineContent(position.lineNumber); var startIndex = position.column - 1; var firstNonWhitespace = this._findFirstNonWhitespaceChar(lineContent, startIndex); if (startIndex + 1 < firstNonWhitespace) { // bingo return new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, firstNonWhitespace + 1); } return null; }; WordOperations.deleteWordRight = function (wordSeparators, model, selection, whitespaceHeuristics, wordNavigationType) { if (!selection.isEmpty()) { return selection; } var position = new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](selection.positionLineNumber, selection.positionColumn); var lineNumber = position.lineNumber; var column = position.column; var lineCount = model.getLineCount(); var maxColumn = model.getLineMaxColumn(lineNumber); if (lineNumber === lineCount && column === maxColumn) { // Ignore deleting at end of file return null; } if (whitespaceHeuristics) { var r = this._deleteWordRightWhitespace(model, position); if (r) { return r; } } var nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, position); if (wordNavigationType === 2 /* WordEnd */) { if (nextWordOnLine) { column = nextWordOnLine.end + 1; } else { if (column < maxColumn || lineNumber === lineCount) { column = maxColumn; } else { lineNumber++; nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, 1)); if (nextWordOnLine) { column = nextWordOnLine.start + 1; } else { column = model.getLineMaxColumn(lineNumber); } } } } else { if (nextWordOnLine && column >= nextWordOnLine.start + 1) { nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, nextWordOnLine.end + 1)); } if (nextWordOnLine) { column = nextWordOnLine.start + 1; } else { if (column < maxColumn || lineNumber === lineCount) { column = maxColumn; } else { lineNumber++; nextWordOnLine = WordOperations._findNextWordOnLine(wordSeparators, model, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, 1)); if (nextWordOnLine) { column = nextWordOnLine.start + 1; } else { column = model.getLineMaxColumn(lineNumber); } } } } return new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](lineNumber, column, position.lineNumber, position.column); }; WordOperations._deleteWordPartRight = function (model, selection) { if (!selection.isEmpty()) { return selection; } var pos = selection.getPosition(); var toPosition = WordOperations._moveWordPartRight(model, pos); return new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](pos.lineNumber, pos.column, toPosition.lineNumber, toPosition.column); }; WordOperations.word = function (config, model, cursor, inSelectionMode, position) { var wordSeparators = Object(__WEBPACK_IMPORTED_MODULE_2__wordCharacterClassifier_js__["a" /* getMapForWordSeparators */])(config.wordSeparators); var prevWord = WordOperations._findPreviousWordOnLine(wordSeparators, model, position); var nextWord = WordOperations._findNextWordOnLine(wordSeparators, model, position); if (!inSelectionMode) { // Entering word selection for the first time var startColumn_1; var endColumn_1; if (prevWord && prevWord.wordType === 1 /* Regular */ && prevWord.start <= position.column - 1 && position.column - 1 <= prevWord.end) { // isTouchingPrevWord startColumn_1 = prevWord.start + 1; endColumn_1 = prevWord.end + 1; } else if (nextWord && nextWord.wordType === 1 /* Regular */ && nextWord.start <= position.column - 1 && position.column - 1 <= nextWord.end) { // isTouchingNextWord startColumn_1 = nextWord.start + 1; endColumn_1 = nextWord.end + 1; } else { if (prevWord) { startColumn_1 = prevWord.end + 1; } else { startColumn_1 = 1; } if (nextWord) { endColumn_1 = nextWord.start + 1; } else { endColumn_1 = model.getLineMaxColumn(position.lineNumber); } } return new __WEBPACK_IMPORTED_MODULE_1__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */](position.lineNumber, startColumn_1, position.lineNumber, endColumn_1), 0, new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](position.lineNumber, endColumn_1), 0); } var startColumn; var endColumn; if (prevWord && prevWord.wordType === 1 /* Regular */ && prevWord.start < position.column - 1 && position.column - 1 < prevWord.end) { // isInsidePrevWord startColumn = prevWord.start + 1; endColumn = prevWord.end + 1; } else if (nextWord && nextWord.wordType === 1 /* Regular */ && nextWord.start < position.column - 1 && position.column - 1 < nextWord.end) { // isInsideNextWord startColumn = nextWord.start + 1; endColumn = nextWord.end + 1; } else { startColumn = position.column; endColumn = position.column; } var lineNumber = position.lineNumber; var column; if (cursor.selectionStart.containsPosition(position)) { column = cursor.selectionStart.endColumn; } else if (position.isBeforeOrEqual(cursor.selectionStart.getStartPosition())) { column = startColumn; var possiblePosition = new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); if (cursor.selectionStart.containsPosition(possiblePosition)) { column = cursor.selectionStart.endColumn; } } else { column = endColumn; var possiblePosition = new __WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */](lineNumber, column); if (cursor.selectionStart.containsPosition(possiblePosition)) { column = cursor.selectionStart.startColumn; } } return cursor.move(true, lineNumber, column, 0); }; return WordOperations; }()); var WordPartOperations = /** @class */ (function (_super) { __extends(WordPartOperations, _super); function WordPartOperations() { return _super !== null && _super.apply(this, arguments) || this; } WordPartOperations.deleteWordPartLeft = function (wordSeparators, model, selection, whitespaceHeuristics) { var candidates = enforceDefined([ WordOperations.deleteWordLeft(wordSeparators, model, selection, whitespaceHeuristics, 0 /* WordStart */), WordOperations.deleteWordLeft(wordSeparators, model, selection, whitespaceHeuristics, 2 /* WordEnd */), WordOperations._deleteWordPartLeft(model, selection) ]); candidates.sort(__WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */].compareRangesUsingEnds); return candidates[2]; }; WordPartOperations.deleteWordPartRight = function (wordSeparators, model, selection, whitespaceHeuristics) { var candidates = enforceDefined([ WordOperations.deleteWordRight(wordSeparators, model, selection, whitespaceHeuristics, 0 /* WordStart */), WordOperations.deleteWordRight(wordSeparators, model, selection, whitespaceHeuristics, 2 /* WordEnd */), WordOperations._deleteWordPartRight(model, selection) ]); candidates.sort(__WEBPACK_IMPORTED_MODULE_4__core_range_js__["a" /* Range */].compareRangesUsingStarts); return candidates[0]; }; WordPartOperations.moveWordPartLeft = function (wordSeparators, model, position) { var candidates = enforceDefined([ WordOperations.moveWordLeft(wordSeparators, model, position, 0 /* WordStart */), WordOperations.moveWordLeft(wordSeparators, model, position, 2 /* WordEnd */), WordOperations._moveWordPartLeft(model, position) ]); candidates.sort(__WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */].compare); return candidates[2]; }; WordPartOperations.moveWordPartRight = function (wordSeparators, model, position) { var candidates = enforceDefined([ WordOperations.moveWordRight(wordSeparators, model, position, 0 /* WordStart */), WordOperations.moveWordRight(wordSeparators, model, position, 2 /* WordEnd */), WordOperations._moveWordPartRight(model, position) ]); candidates.sort(__WEBPACK_IMPORTED_MODULE_3__core_position_js__["a" /* Position */].compare); return candidates[0]; }; return WordPartOperations; }(WordOperations)); function enforceDefined(arr) { return arr.filter(function (el) { return Boolean(el); }); } /***/ }), /***/ 1953: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export cachedStringRepeat */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ShiftCommand; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__modes_languageConfigurationRegistry_js__ = __webpack_require__(1327); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var repeatCache = Object.create(null); function cachedStringRepeat(str, count) { if (!repeatCache[str]) { repeatCache[str] = ['', str]; } var cache = repeatCache[str]; for (var i = cache.length; i <= count; i++) { cache[i] = cache[i - 1] + str; } return cache[count]; } var ShiftCommand = /** @class */ (function () { function ShiftCommand(range, opts) { this._opts = opts; this._selection = range; this._useLastEditRangeForCursorEndPosition = false; this._selectionStartColumnStaysPut = false; } ShiftCommand.unshiftIndent = function (line, column, tabSize, indentSize, insertSpaces) { // Determine the visible column where the content starts var contentStartVisibleColumn = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(line, column, tabSize); if (insertSpaces) { var indent = cachedStringRepeat(' ', indentSize); var desiredTabStop = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].prevIndentTabStop(contentStartVisibleColumn, indentSize); var indentCount = desiredTabStop / indentSize; // will be an integer return cachedStringRepeat(indent, indentCount); } else { var indent = '\t'; var desiredTabStop = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].prevRenderTabStop(contentStartVisibleColumn, tabSize); var indentCount = desiredTabStop / tabSize; // will be an integer return cachedStringRepeat(indent, indentCount); } }; ShiftCommand.shiftIndent = function (line, column, tabSize, indentSize, insertSpaces) { // Determine the visible column where the content starts var contentStartVisibleColumn = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(line, column, tabSize); if (insertSpaces) { var indent = cachedStringRepeat(' ', indentSize); var desiredTabStop = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].nextIndentTabStop(contentStartVisibleColumn, indentSize); var indentCount = desiredTabStop / indentSize; // will be an integer return cachedStringRepeat(indent, indentCount); } else { var indent = '\t'; var desiredTabStop = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].nextRenderTabStop(contentStartVisibleColumn, tabSize); var indentCount = desiredTabStop / tabSize; // will be an integer return cachedStringRepeat(indent, indentCount); } }; ShiftCommand.prototype._addEditOperation = function (builder, range, text) { if (this._useLastEditRangeForCursorEndPosition) { builder.addTrackedEditOperation(range, text); } else { builder.addEditOperation(range, text); } }; ShiftCommand.prototype.getEditOperations = function (model, builder) { var startLine = this._selection.startLineNumber; var endLine = this._selection.endLineNumber; if (this._selection.endColumn === 1 && startLine !== endLine) { endLine = endLine - 1; } var _a = this._opts, tabSize = _a.tabSize, indentSize = _a.indentSize, insertSpaces = _a.insertSpaces; var shouldIndentEmptyLines = (startLine === endLine); // if indenting or outdenting on a whitespace only line if (this._selection.isEmpty()) { if (/^\s*$/.test(model.getLineContent(startLine))) { this._useLastEditRangeForCursorEndPosition = true; } } if (this._opts.useTabStops) { // keep track of previous line's "miss-alignment" var previousLineExtraSpaces = 0, extraSpaces = 0; for (var lineNumber = startLine; lineNumber <= endLine; lineNumber++, previousLineExtraSpaces = extraSpaces) { extraSpaces = 0; var lineText = model.getLineContent(lineNumber); var indentationEndIndex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](lineText); if (this._opts.isUnshift && (lineText.length === 0 || indentationEndIndex === 0)) { // empty line or line with no leading whitespace => nothing to do continue; } if (!shouldIndentEmptyLines && !this._opts.isUnshift && lineText.length === 0) { // do not indent empty lines => nothing to do continue; } if (indentationEndIndex === -1) { // the entire line is whitespace indentationEndIndex = lineText.length; } if (lineNumber > 1) { var contentStartVisibleColumn = __WEBPACK_IMPORTED_MODULE_1__controller_cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn(lineText, indentationEndIndex + 1, tabSize); if (contentStartVisibleColumn % indentSize !== 0) { // The current line is "miss-aligned", so let's see if this is expected... // This can only happen when it has trailing commas in the indent if (model.isCheapToTokenize(lineNumber - 1)) { var enterAction = __WEBPACK_IMPORTED_MODULE_4__modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].getRawEnterActionAtPosition(model, lineNumber - 1, model.getLineMaxColumn(lineNumber - 1)); if (enterAction) { extraSpaces = previousLineExtraSpaces; if (enterAction.appendText) { for (var j = 0, lenJ = enterAction.appendText.length; j < lenJ && extraSpaces < indentSize; j++) { if (enterAction.appendText.charCodeAt(j) === 32 /* Space */) { extraSpaces++; } else { break; } } } if (enterAction.removeText) { extraSpaces = Math.max(0, extraSpaces - enterAction.removeText); } // Act as if `prefixSpaces` is not part of the indentation for (var j = 0; j < extraSpaces; j++) { if (indentationEndIndex === 0 || lineText.charCodeAt(indentationEndIndex - 1) !== 32 /* Space */) { break; } indentationEndIndex--; } } } } } if (this._opts.isUnshift && indentationEndIndex === 0) { // line with no leading whitespace => nothing to do continue; } var desiredIndent = void 0; if (this._opts.isUnshift) { desiredIndent = ShiftCommand.unshiftIndent(lineText, indentationEndIndex + 1, tabSize, indentSize, insertSpaces); } else { desiredIndent = ShiftCommand.shiftIndent(lineText, indentationEndIndex + 1, tabSize, indentSize, insertSpaces); } this._addEditOperation(builder, new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, indentationEndIndex + 1), desiredIndent); if (lineNumber === startLine) { // Force the startColumn to stay put because we're inserting after it this._selectionStartColumnStaysPut = (this._selection.startColumn <= indentationEndIndex + 1); } } } else { var oneIndent = (insertSpaces ? cachedStringRepeat(' ', indentSize) : '\t'); for (var lineNumber = startLine; lineNumber <= endLine; lineNumber++) { var lineText = model.getLineContent(lineNumber); var indentationEndIndex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](lineText); if (this._opts.isUnshift && (lineText.length === 0 || indentationEndIndex === 0)) { // empty line or line with no leading whitespace => nothing to do continue; } if (!shouldIndentEmptyLines && !this._opts.isUnshift && lineText.length === 0) { // do not indent empty lines => nothing to do continue; } if (indentationEndIndex === -1) { // the entire line is whitespace indentationEndIndex = lineText.length; } if (this._opts.isUnshift && indentationEndIndex === 0) { // line with no leading whitespace => nothing to do continue; } if (this._opts.isUnshift) { indentationEndIndex = Math.min(indentationEndIndex, indentSize); for (var i = 0; i < indentationEndIndex; i++) { var chr = lineText.charCodeAt(i); if (chr === 9 /* Tab */) { indentationEndIndex = i + 1; break; } } this._addEditOperation(builder, new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, indentationEndIndex + 1), ''); } else { this._addEditOperation(builder, new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, 1), oneIndent); if (lineNumber === startLine) { // Force the startColumn to stay put because we're inserting after it this._selectionStartColumnStaysPut = (this._selection.startColumn === 1); } } } } this._selectionId = builder.trackSelection(this._selection); }; ShiftCommand.prototype.computeCursorState = function (model, helper) { if (this._useLastEditRangeForCursorEndPosition) { var lastOp = helper.getInverseEditOperations()[0]; return new __WEBPACK_IMPORTED_MODULE_3__core_selection_js__["a" /* Selection */](lastOp.range.endLineNumber, lastOp.range.endColumn, lastOp.range.endLineNumber, lastOp.range.endColumn); } var result = helper.getTrackedSelection(this._selectionId); if (this._selectionStartColumnStaysPut) { // The selection start should not move var initialStartColumn = this._selection.startColumn; var resultStartColumn = result.startColumn; if (resultStartColumn <= initialStartColumn) { return result; } if (result.getDirection() === 0 /* LTR */) { return new __WEBPACK_IMPORTED_MODULE_3__core_selection_js__["a" /* Selection */](result.startLineNumber, initialStartColumn, result.endLineNumber, result.endColumn); } return new __WEBPACK_IMPORTED_MODULE_3__core_selection_js__["a" /* Selection */](result.endLineNumber, result.endColumn, result.startLineNumber, initialStartColumn); } return result; }; return ShiftCommand; }()); /***/ }), /***/ 1954: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return SurroundSelectionCommand; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_selection_js__ = __webpack_require__(1148); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var SurroundSelectionCommand = /** @class */ (function () { function SurroundSelectionCommand(range, charBeforeSelection, charAfterSelection) { this._range = range; this._charBeforeSelection = charBeforeSelection; this._charAfterSelection = charAfterSelection; } SurroundSelectionCommand.prototype.getEditOperations = function (model, builder) { builder.addTrackedEditOperation(new __WEBPACK_IMPORTED_MODULE_0__core_range_js__["a" /* Range */](this._range.startLineNumber, this._range.startColumn, this._range.startLineNumber, this._range.startColumn), this._charBeforeSelection); builder.addTrackedEditOperation(new __WEBPACK_IMPORTED_MODULE_0__core_range_js__["a" /* Range */](this._range.endLineNumber, this._range.endColumn, this._range.endLineNumber, this._range.endColumn), this._charAfterSelection); }; SurroundSelectionCommand.prototype.computeCursorState = function (model, helper) { var inverseEditOperations = helper.getInverseEditOperations(); var firstOperationRange = inverseEditOperations[0].range; var secondOperationRange = inverseEditOperations[1].range; return new __WEBPACK_IMPORTED_MODULE_1__core_selection_js__["a" /* Selection */](firstOperationRange.endLineNumber, firstOperationRange.endColumn, secondOperationRange.endLineNumber, secondOperationRange.endColumn - this._charAfterSelection.length); }; return SurroundSelectionCommand; }()); /***/ }), /***/ 1955: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ViewOverlays */ /* unused harmony export ViewOverlayLine */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContentViewOverlays; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return MarginViewOverlays; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__viewLayer_js__ = __webpack_require__(1576); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__viewPart_js__ = __webpack_require__(1078); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewOverlays = /** @class */ (function (_super) { __extends(ViewOverlays, _super); function ViewOverlays(context) { var _this = _super.call(this, context) || this; _this._visibleLines = new __WEBPACK_IMPORTED_MODULE_2__viewLayer_js__["b" /* VisibleLinesCollection */](_this); _this.domNode = _this._visibleLines.domNode; _this._dynamicOverlays = []; _this._isFocused = false; _this.domNode.setClassName('view-overlays'); return _this; } ViewOverlays.prototype.shouldRender = function () { if (_super.prototype.shouldRender.call(this)) { return true; } for (var i = 0, len = this._dynamicOverlays.length; i < len; i++) { var dynamicOverlay = this._dynamicOverlays[i]; if (dynamicOverlay.shouldRender()) { return true; } } return false; }; ViewOverlays.prototype.dispose = function () { _super.prototype.dispose.call(this); for (var i = 0, len = this._dynamicOverlays.length; i < len; i++) { var dynamicOverlay = this._dynamicOverlays[i]; dynamicOverlay.dispose(); } this._dynamicOverlays = []; }; ViewOverlays.prototype.getDomNode = function () { return this.domNode; }; // ---- begin IVisibleLinesHost ViewOverlays.prototype.createVisibleLine = function () { return new ViewOverlayLine(this._context.configuration, this._dynamicOverlays); }; // ---- end IVisibleLinesHost ViewOverlays.prototype.addDynamicOverlay = function (overlay) { this._dynamicOverlays.push(overlay); }; // ----- event handlers ViewOverlays.prototype.onConfigurationChanged = function (e) { this._visibleLines.onConfigurationChanged(e); var startLineNumber = this._visibleLines.getStartLineNumber(); var endLineNumber = this._visibleLines.getEndLineNumber(); for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var line = this._visibleLines.getVisibleLine(lineNumber); line.onConfigurationChanged(e); } return true; }; ViewOverlays.prototype.onFlushed = function (e) { return this._visibleLines.onFlushed(e); }; ViewOverlays.prototype.onFocusChanged = function (e) { this._isFocused = e.isFocused; return true; }; ViewOverlays.prototype.onLinesChanged = function (e) { return this._visibleLines.onLinesChanged(e); }; ViewOverlays.prototype.onLinesDeleted = function (e) { return this._visibleLines.onLinesDeleted(e); }; ViewOverlays.prototype.onLinesInserted = function (e) { return this._visibleLines.onLinesInserted(e); }; ViewOverlays.prototype.onScrollChanged = function (e) { return this._visibleLines.onScrollChanged(e) || true; }; ViewOverlays.prototype.onTokensChanged = function (e) { return this._visibleLines.onTokensChanged(e); }; ViewOverlays.prototype.onZonesChanged = function (e) { return this._visibleLines.onZonesChanged(e); }; // ----- end event handlers ViewOverlays.prototype.prepareRender = function (ctx) { var toRender = this._dynamicOverlays.filter(function (overlay) { return overlay.shouldRender(); }); for (var i = 0, len = toRender.length; i < len; i++) { var dynamicOverlay = toRender[i]; dynamicOverlay.prepareRender(ctx); dynamicOverlay.onDidRender(); } }; ViewOverlays.prototype.render = function (ctx) { // Overwriting to bypass `shouldRender` flag this._viewOverlaysRender(ctx); this.domNode.toggleClassName('focused', this._isFocused); }; ViewOverlays.prototype._viewOverlaysRender = function (ctx) { this._visibleLines.renderLines(ctx.viewportData); }; return ViewOverlays; }(__WEBPACK_IMPORTED_MODULE_3__viewPart_js__["b" /* ViewPart */])); var ViewOverlayLine = /** @class */ (function () { function ViewOverlayLine(configuration, dynamicOverlays) { this._configuration = configuration; this._lineHeight = this._configuration.editor.lineHeight; this._dynamicOverlays = dynamicOverlays; this._domNode = null; this._renderedContent = null; } ViewOverlayLine.prototype.getDomNode = function () { if (!this._domNode) { return null; } return this._domNode.domNode; }; ViewOverlayLine.prototype.setDomNode = function (domNode) { this._domNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(domNode); }; ViewOverlayLine.prototype.onContentChanged = function () { // Nothing }; ViewOverlayLine.prototype.onTokensChanged = function () { // Nothing }; ViewOverlayLine.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._configuration.editor.lineHeight; } }; ViewOverlayLine.prototype.renderLine = function (lineNumber, deltaTop, viewportData, sb) { var result = ''; for (var i = 0, len = this._dynamicOverlays.length; i < len; i++) { var dynamicOverlay = this._dynamicOverlays[i]; result += dynamicOverlay.render(viewportData.startLineNumber, lineNumber); } if (this._renderedContent === result) { // No rendering needed return false; } this._renderedContent = result; sb.appendASCIIString('<div style="position:absolute;top:'); sb.appendASCIIString(String(deltaTop)); sb.appendASCIIString('px;width:100%;height:'); sb.appendASCIIString(String(this._lineHeight)); sb.appendASCIIString('px;">'); sb.appendASCIIString(result); sb.appendASCIIString('</div>'); return true; }; ViewOverlayLine.prototype.layoutLine = function (lineNumber, deltaTop) { if (this._domNode) { this._domNode.setTop(deltaTop); this._domNode.setHeight(this._lineHeight); } }; return ViewOverlayLine; }()); var ContentViewOverlays = /** @class */ (function (_super) { __extends(ContentViewOverlays, _super); function ContentViewOverlays(context) { var _this = _super.call(this, context) || this; _this._contentWidth = _this._context.configuration.editor.layoutInfo.contentWidth; _this.domNode.setHeight(0); return _this; } // --- begin event handlers ContentViewOverlays.prototype.onConfigurationChanged = function (e) { if (e.layoutInfo) { this._contentWidth = this._context.configuration.editor.layoutInfo.contentWidth; } return _super.prototype.onConfigurationChanged.call(this, e); }; ContentViewOverlays.prototype.onScrollChanged = function (e) { return _super.prototype.onScrollChanged.call(this, e) || e.scrollWidthChanged; }; // --- end event handlers ContentViewOverlays.prototype._viewOverlaysRender = function (ctx) { _super.prototype._viewOverlaysRender.call(this, ctx); this.domNode.setWidth(Math.max(ctx.scrollWidth, this._contentWidth)); }; return ContentViewOverlays; }(ViewOverlays)); var MarginViewOverlays = /** @class */ (function (_super) { __extends(MarginViewOverlays, _super); function MarginViewOverlays(context) { var _this = _super.call(this, context) || this; _this._contentLeft = _this._context.configuration.editor.layoutInfo.contentLeft; _this.domNode.setClassName('margin-view-overlays'); _this.domNode.setWidth(1); __WEBPACK_IMPORTED_MODULE_1__config_configuration_js__["a" /* Configuration */].applyFontInfo(_this.domNode, _this._context.configuration.editor.fontInfo); return _this; } MarginViewOverlays.prototype.onConfigurationChanged = function (e) { var shouldRender = false; if (e.fontInfo) { __WEBPACK_IMPORTED_MODULE_1__config_configuration_js__["a" /* Configuration */].applyFontInfo(this.domNode, this._context.configuration.editor.fontInfo); shouldRender = true; } if (e.layoutInfo) { this._contentLeft = this._context.configuration.editor.layoutInfo.contentLeft; shouldRender = true; } return _super.prototype.onConfigurationChanged.call(this, e) || shouldRender; }; MarginViewOverlays.prototype.onScrollChanged = function (e) { return _super.prototype.onScrollChanged.call(this, e) || e.scrollHeightChanged; }; MarginViewOverlays.prototype._viewOverlaysRender = function (ctx) { _super.prototype._viewOverlaysRender.call(this, ctx); var height = Math.min(ctx.scrollHeight, 1000000); this.domNode.setHeight(height); this.domNode.setWidth(this._contentLeft); }; return MarginViewOverlays; }(ViewOverlays)); /***/ }), /***/ 1956: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewContentWidgets; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var Coordinate = /** @class */ (function () { function Coordinate(top, left) { this.top = top; this.left = left; } return Coordinate; }()); var ViewContentWidgets = /** @class */ (function (_super) { __extends(ViewContentWidgets, _super); function ViewContentWidgets(context, viewDomNode) { var _this = _super.call(this, context) || this; _this._viewDomNode = viewDomNode; _this._widgets = {}; _this.domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["a" /* PartFingerprints */].write(_this.domNode, 1 /* ContentWidgets */); _this.domNode.setClassName('contentWidgets'); _this.domNode.setPosition('absolute'); _this.domNode.setTop(0); _this.overflowingContentWidgetsDomNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["a" /* PartFingerprints */].write(_this.overflowingContentWidgetsDomNode, 2 /* OverflowingContentWidgets */); _this.overflowingContentWidgetsDomNode.setClassName('overflowingContentWidgets'); return _this; } ViewContentWidgets.prototype.dispose = function () { _super.prototype.dispose.call(this); this._widgets = {}; }; // --- begin event handlers ViewContentWidgets.prototype.onConfigurationChanged = function (e) { var keys = Object.keys(this._widgets); for (var _i = 0, keys_1 = keys; _i < keys_1.length; _i++) { var widgetId = keys_1[_i]; this._widgets[widgetId].onConfigurationChanged(e); } return true; }; ViewContentWidgets.prototype.onDecorationsChanged = function (e) { // true for inline decorations that can end up relayouting text return true; }; ViewContentWidgets.prototype.onFlushed = function (e) { return true; }; ViewContentWidgets.prototype.onLineMappingChanged = function (e) { var keys = Object.keys(this._widgets); for (var _i = 0, keys_2 = keys; _i < keys_2.length; _i++) { var widgetId = keys_2[_i]; this._widgets[widgetId].onLineMappingChanged(e); } return true; }; ViewContentWidgets.prototype.onLinesChanged = function (e) { return true; }; ViewContentWidgets.prototype.onLinesDeleted = function (e) { return true; }; ViewContentWidgets.prototype.onLinesInserted = function (e) { return true; }; ViewContentWidgets.prototype.onScrollChanged = function (e) { return true; }; ViewContentWidgets.prototype.onZonesChanged = function (e) { return true; }; // ---- end view event handlers ViewContentWidgets.prototype.addWidget = function (_widget) { var myWidget = new Widget(this._context, this._viewDomNode, _widget); this._widgets[myWidget.id] = myWidget; if (myWidget.allowEditorOverflow) { this.overflowingContentWidgetsDomNode.appendChild(myWidget.domNode); } else { this.domNode.appendChild(myWidget.domNode); } this.setShouldRender(); }; ViewContentWidgets.prototype.setWidgetPosition = function (widget, position, range, preference) { var myWidget = this._widgets[widget.getId()]; myWidget.setPosition(position, range, preference); this.setShouldRender(); }; ViewContentWidgets.prototype.removeWidget = function (widget) { var widgetId = widget.getId(); if (this._widgets.hasOwnProperty(widgetId)) { var myWidget = this._widgets[widgetId]; delete this._widgets[widgetId]; var domNode = myWidget.domNode.domNode; domNode.parentNode.removeChild(domNode); domNode.removeAttribute('monaco-visible-content-widget'); this.setShouldRender(); } }; ViewContentWidgets.prototype.shouldSuppressMouseDownOnWidget = function (widgetId) { if (this._widgets.hasOwnProperty(widgetId)) { return this._widgets[widgetId].suppressMouseDown; } return false; }; ViewContentWidgets.prototype.onBeforeRender = function (viewportData) { var keys = Object.keys(this._widgets); for (var _i = 0, keys_3 = keys; _i < keys_3.length; _i++) { var widgetId = keys_3[_i]; this._widgets[widgetId].onBeforeRender(viewportData); } }; ViewContentWidgets.prototype.prepareRender = function (ctx) { var keys = Object.keys(this._widgets); for (var _i = 0, keys_4 = keys; _i < keys_4.length; _i++) { var widgetId = keys_4[_i]; this._widgets[widgetId].prepareRender(ctx); } }; ViewContentWidgets.prototype.render = function (ctx) { var keys = Object.keys(this._widgets); for (var _i = 0, keys_5 = keys; _i < keys_5.length; _i++) { var widgetId = keys_5[_i]; this._widgets[widgetId].render(ctx); } }; return ViewContentWidgets; }(__WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["b" /* ViewPart */])); var Widget = /** @class */ (function () { function Widget(context, viewDomNode, actual) { this._context = context; this._viewDomNode = viewDomNode; this._actual = actual; this.domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(this._actual.getDomNode()); this.id = this._actual.getId(); this.allowEditorOverflow = this._actual.allowEditorOverflow || false; this.suppressMouseDown = this._actual.suppressMouseDown || false; this._fixedOverflowWidgets = this._context.configuration.editor.viewInfo.fixedOverflowWidgets; this._contentWidth = this._context.configuration.editor.layoutInfo.contentWidth; this._contentLeft = this._context.configuration.editor.layoutInfo.contentLeft; this._lineHeight = this._context.configuration.editor.lineHeight; this._setPosition(null, null); this._preference = []; this._cachedDomNodeClientWidth = -1; this._cachedDomNodeClientHeight = -1; this._maxWidth = this._getMaxWidth(); this._isVisible = false; this._renderData = null; this.domNode.setPosition((this._fixedOverflowWidgets && this.allowEditorOverflow) ? 'fixed' : 'absolute'); this.domNode.setVisibility('hidden'); this.domNode.setAttribute('widgetId', this.id); this.domNode.setMaxWidth(this._maxWidth); } Widget.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.layoutInfo) { this._contentLeft = this._context.configuration.editor.layoutInfo.contentLeft; this._contentWidth = this._context.configuration.editor.layoutInfo.contentWidth; this._maxWidth = this._getMaxWidth(); } }; Widget.prototype.onLineMappingChanged = function (e) { this._setPosition(this._position, this._range); }; Widget.prototype._setPosition = function (position, range) { this._position = position || null; this._range = range || null; this._viewPosition = null; this._viewRange = null; if (this._position) { // Do not trust that widgets give a valid position var validModelPosition = this._context.model.validateModelPosition(this._position); if (this._context.model.coordinatesConverter.modelPositionIsVisible(validModelPosition)) { this._viewPosition = this._context.model.coordinatesConverter.convertModelPositionToViewPosition(validModelPosition); } } if (this._range) { // Do not trust that widgets give a valid position var validModelRange = this._context.model.validateModelRange(this._range); this._viewRange = this._context.model.coordinatesConverter.convertModelRangeToViewRange(validModelRange); } }; Widget.prototype._getMaxWidth = function () { return (this.allowEditorOverflow ? window.innerWidth || document.documentElement.clientWidth || document.body.clientWidth : this._contentWidth); }; Widget.prototype.setPosition = function (position, range, preference) { this._setPosition(position, range); this._preference = preference || null; this._cachedDomNodeClientWidth = -1; this._cachedDomNodeClientHeight = -1; }; Widget.prototype._layoutBoxInViewport = function (topLeft, bottomLeft, width, height, ctx) { // Our visible box is split horizontally by the current line => 2 boxes // a) the box above the line var aboveLineTop = topLeft.top; var heightAboveLine = aboveLineTop; // b) the box under the line var underLineTop = bottomLeft.top + this._lineHeight; var heightUnderLine = ctx.viewportHeight - underLineTop; var aboveTop = aboveLineTop - height; var fitsAbove = (heightAboveLine >= height); var belowTop = underLineTop; var fitsBelow = (heightUnderLine >= height); // And its left var actualAboveLeft = topLeft.left; var actualBelowLeft = bottomLeft.left; if (actualAboveLeft + width > ctx.scrollLeft + ctx.viewportWidth) { actualAboveLeft = ctx.scrollLeft + ctx.viewportWidth - width; } if (actualBelowLeft + width > ctx.scrollLeft + ctx.viewportWidth) { actualBelowLeft = ctx.scrollLeft + ctx.viewportWidth - width; } if (actualAboveLeft < ctx.scrollLeft) { actualAboveLeft = ctx.scrollLeft; } if (actualBelowLeft < ctx.scrollLeft) { actualBelowLeft = ctx.scrollLeft; } return { fitsAbove: fitsAbove, aboveTop: aboveTop, aboveLeft: actualAboveLeft, fitsBelow: fitsBelow, belowTop: belowTop, belowLeft: actualBelowLeft, }; }; Widget.prototype._layoutBoxInPage = function (topLeft, bottomLeft, width, height, ctx) { var aboveLeft0 = topLeft.left - ctx.scrollLeft; var belowLeft0 = bottomLeft.left - ctx.scrollLeft; if (aboveLeft0 < 0 || aboveLeft0 > this._contentWidth) { // Don't render if position is scrolled outside viewport return null; } var aboveTop = topLeft.top - height; var belowTop = bottomLeft.top + this._lineHeight; var aboveLeft = aboveLeft0 + this._contentLeft; var belowLeft = belowLeft0 + this._contentLeft; var domNodePosition = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["s" /* getDomNodePagePosition */](this._viewDomNode.domNode); var absoluteAboveTop = domNodePosition.top + aboveTop - __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollY; var absoluteBelowTop = domNodePosition.top + belowTop - __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollY; var absoluteAboveLeft = domNodePosition.left + aboveLeft - __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollX; var absoluteBelowLeft = domNodePosition.left + belowLeft - __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["d" /* StandardWindow */].scrollX; var INNER_WIDTH = window.innerWidth || document.documentElement.clientWidth || document.body.clientWidth; var INNER_HEIGHT = window.innerHeight || document.documentElement.clientHeight || document.body.clientHeight; // Leave some clearance to the bottom var TOP_PADDING = 22; var BOTTOM_PADDING = 22; var fitsAbove = (absoluteAboveTop >= TOP_PADDING), fitsBelow = (absoluteBelowTop + height <= INNER_HEIGHT - BOTTOM_PADDING); if (absoluteAboveLeft + width + 20 > INNER_WIDTH) { var delta = absoluteAboveLeft - (INNER_WIDTH - width - 20); absoluteAboveLeft -= delta; aboveLeft -= delta; } if (absoluteBelowLeft + width + 20 > INNER_WIDTH) { var delta = absoluteBelowLeft - (INNER_WIDTH - width - 20); absoluteBelowLeft -= delta; belowLeft -= delta; } if (absoluteAboveLeft < 0) { var delta = absoluteAboveLeft; absoluteAboveLeft -= delta; aboveLeft -= delta; } if (absoluteBelowLeft < 0) { var delta = absoluteBelowLeft; absoluteBelowLeft -= delta; belowLeft -= delta; } if (this._fixedOverflowWidgets) { aboveTop = absoluteAboveTop; belowTop = absoluteBelowTop; aboveLeft = absoluteAboveLeft; belowLeft = absoluteBelowLeft; } return { fitsAbove: fitsAbove, aboveTop: aboveTop, aboveLeft: aboveLeft, fitsBelow: fitsBelow, belowTop: belowTop, belowLeft: belowLeft }; }; Widget.prototype._prepareRenderWidgetAtExactPositionOverflowing = function (topLeft) { return new Coordinate(topLeft.top, topLeft.left + this._contentLeft); }; /** * Compute `this._topLeft` */ Widget.prototype._getTopAndBottomLeft = function (ctx) { if (!this._viewPosition) { return [null, null]; } var visibleRangeForPosition = ctx.visibleRangeForPosition(this._viewPosition); if (!visibleRangeForPosition) { return [null, null]; } var topForPosition = ctx.getVerticalOffsetForLineNumber(this._viewPosition.lineNumber) - ctx.scrollTop; var topLeft = new Coordinate(topForPosition, visibleRangeForPosition.left); var largestLineNumber = this._viewPosition.lineNumber; var smallestLeft = visibleRangeForPosition.left; if (this._viewRange) { var visibleRangesForRange = ctx.linesVisibleRangesForRange(this._viewRange, false); if (visibleRangesForRange && visibleRangesForRange.length > 0) { for (var i = visibleRangesForRange.length - 1; i >= 0; i--) { var visibleRangesForLine = visibleRangesForRange[i]; if (visibleRangesForLine.lineNumber >= largestLineNumber) { if (visibleRangesForLine.lineNumber > largestLineNumber) { largestLineNumber = visibleRangesForLine.lineNumber; smallestLeft = 1073741824 /* MAX_SAFE_SMALL_INTEGER */; } for (var j = 0, lenJ = visibleRangesForLine.ranges.length; j < lenJ; j++) { var visibleRange = visibleRangesForLine.ranges[j]; if (visibleRange.left < smallestLeft) { smallestLeft = visibleRange.left; } } } } } } var topForBottomLine = ctx.getVerticalOffsetForLineNumber(largestLineNumber) - ctx.scrollTop; var bottomLeft = new Coordinate(topForBottomLine, smallestLeft); return [topLeft, bottomLeft]; }; Widget.prototype._prepareRenderWidget = function (ctx) { var _a = this._getTopAndBottomLeft(ctx), topLeft = _a[0], bottomLeft = _a[1]; if (!topLeft || !bottomLeft) { return null; } if (this._cachedDomNodeClientWidth === -1 || this._cachedDomNodeClientHeight === -1) { var domNode = this.domNode.domNode; this._cachedDomNodeClientWidth = domNode.clientWidth; this._cachedDomNodeClientHeight = domNode.clientHeight; } var placement; if (this.allowEditorOverflow) { placement = this._layoutBoxInPage(topLeft, bottomLeft, this._cachedDomNodeClientWidth, this._cachedDomNodeClientHeight, ctx); } else { placement = this._layoutBoxInViewport(topLeft, bottomLeft, this._cachedDomNodeClientWidth, this._cachedDomNodeClientHeight, ctx); } // Do two passes, first for perfect fit, second picks first option if (this._preference) { for (var pass = 1; pass <= 2; pass++) { for (var _i = 0, _b = this._preference; _i < _b.length; _i++) { var pref = _b[_i]; // placement if (pref === 1 /* ABOVE */) { if (!placement) { // Widget outside of viewport return null; } if (pass === 2 || placement.fitsAbove) { return new Coordinate(placement.aboveTop, placement.aboveLeft); } } else if (pref === 2 /* BELOW */) { if (!placement) { // Widget outside of viewport return null; } if (pass === 2 || placement.fitsBelow) { return new Coordinate(placement.belowTop, placement.belowLeft); } } else { if (this.allowEditorOverflow) { return this._prepareRenderWidgetAtExactPositionOverflowing(topLeft); } else { return topLeft; } } } } } return null; }; /** * On this first pass, we ensure that the content widget (if it is in the viewport) has the max width set correctly. */ Widget.prototype.onBeforeRender = function (viewportData) { if (!this._viewPosition || !this._preference) { return; } if (this._viewPosition.lineNumber < viewportData.startLineNumber || this._viewPosition.lineNumber > viewportData.endLineNumber) { // Outside of viewport return; } this.domNode.setMaxWidth(this._maxWidth); }; Widget.prototype.prepareRender = function (ctx) { this._renderData = this._prepareRenderWidget(ctx); }; Widget.prototype.render = function (ctx) { if (!this._renderData) { // This widget should be invisible if (this._isVisible) { this.domNode.removeAttribute('monaco-visible-content-widget'); this._isVisible = false; this.domNode.setVisibility('hidden'); } return; } // This widget should be visible if (this.allowEditorOverflow) { this.domNode.setTop(this._renderData.top); this.domNode.setLeft(this._renderData.left); } else { this.domNode.setTop(this._renderData.top + ctx.scrollTop - ctx.bigNumbersDelta); this.domNode.setLeft(this._renderData.left); } if (!this._isVisible) { this.domNode.setVisibility('inherit'); this.domNode.setAttribute('monaco-visible-content-widget', 'true'); this._isVisible = true; } }; return Widget; }()); /***/ }), /***/ 1957: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CurrentLineHighlightOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__currentLineHighlight_css__ = __webpack_require__(1958); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__currentLineHighlight_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__currentLineHighlight_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var CurrentLineHighlightOverlay = /** @class */ (function (_super) { __extends(CurrentLineHighlightOverlay, _super); function CurrentLineHighlightOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._renderLineHighlight = _this._context.configuration.editor.viewInfo.renderLineHighlight; _this._selectionIsEmpty = true; _this._primaryCursorLineNumber = 1; _this._scrollWidth = 0; _this._contentWidth = _this._context.configuration.editor.layoutInfo.contentWidth; _this._context.addEventHandler(_this); return _this; } CurrentLineHighlightOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); _super.prototype.dispose.call(this); }; // --- begin event handlers CurrentLineHighlightOverlay.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.viewInfo) { this._renderLineHighlight = this._context.configuration.editor.viewInfo.renderLineHighlight; } if (e.layoutInfo) { this._contentWidth = this._context.configuration.editor.layoutInfo.contentWidth; } return true; }; CurrentLineHighlightOverlay.prototype.onCursorStateChanged = function (e) { var hasChanged = false; var primaryCursorLineNumber = e.selections[0].positionLineNumber; if (this._primaryCursorLineNumber !== primaryCursorLineNumber) { this._primaryCursorLineNumber = primaryCursorLineNumber; hasChanged = true; } var selectionIsEmpty = e.selections[0].isEmpty(); if (this._selectionIsEmpty !== selectionIsEmpty) { this._selectionIsEmpty = selectionIsEmpty; return true; } return hasChanged; }; CurrentLineHighlightOverlay.prototype.onFlushed = function (e) { return true; }; CurrentLineHighlightOverlay.prototype.onLinesDeleted = function (e) { return true; }; CurrentLineHighlightOverlay.prototype.onLinesInserted = function (e) { return true; }; CurrentLineHighlightOverlay.prototype.onScrollChanged = function (e) { return e.scrollWidthChanged; }; CurrentLineHighlightOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers CurrentLineHighlightOverlay.prototype.prepareRender = function (ctx) { this._scrollWidth = ctx.scrollWidth; }; CurrentLineHighlightOverlay.prototype.render = function (startLineNumber, lineNumber) { if (lineNumber === this._primaryCursorLineNumber) { if (this._shouldShowCurrentLine()) { var paintedInMargin = this._willRenderMarginCurrentLine(); var className = 'current-line' + (paintedInMargin ? ' current-line-both' : ''); return ('<div class="' + className + '" style="width:' + String(Math.max(this._scrollWidth, this._contentWidth)) + 'px; height:' + String(this._lineHeight) + 'px;"></div>'); } else { return ''; } } return ''; }; CurrentLineHighlightOverlay.prototype._shouldShowCurrentLine = function () { return ((this._renderLineHighlight === 'line' || this._renderLineHighlight === 'all') && this._selectionIsEmpty); }; CurrentLineHighlightOverlay.prototype._willRenderMarginCurrentLine = function () { return ((this._renderLineHighlight === 'gutter' || this._renderLineHighlight === 'all')); }; return CurrentLineHighlightOverlay; }(__WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); Object(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var lineHighlight = theme.getColor(__WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__["l" /* editorLineHighlight */]); if (lineHighlight) { collector.addRule(".monaco-editor .view-overlays .current-line { background-color: " + lineHighlight + "; }"); } if (!lineHighlight || lineHighlight.isTransparent() || theme.defines(__WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__["m" /* editorLineHighlightBorder */])) { var lineHighlightBorder = theme.getColor(__WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__["m" /* editorLineHighlightBorder */]); if (lineHighlightBorder) { collector.addRule(".monaco-editor .view-overlays .current-line { border: 2px solid " + lineHighlightBorder + "; }"); if (theme.type === 'hc') { collector.addRule(".monaco-editor .view-overlays .current-line { border-width: 1px; }"); } } } }); /***/ }), /***/ 1958: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1959); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1959: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .view-overlays .current-line{display:block;position:absolute;left:0;top:0;-webkit-box-sizing:border-box;box-sizing:border-box}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/currentLineHighlight/currentLineHighlight.css"],"names":[],"mappings":"AAKA,4CACC,cAAe,AACf,kBAAmB,AACnB,OAAQ,AACR,MAAO,AACP,8BAA+B,AACvB,qBAAuB,CAC/B","file":"currentLineHighlight.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .view-overlays .current-line {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 0;\n\ttop: 0;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1960: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CurrentLineMarginHighlightOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__currentLineMarginHighlight_css__ = __webpack_require__(1961); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__currentLineMarginHighlight_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__currentLineMarginHighlight_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var CurrentLineMarginHighlightOverlay = /** @class */ (function (_super) { __extends(CurrentLineMarginHighlightOverlay, _super); function CurrentLineMarginHighlightOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._renderLineHighlight = _this._context.configuration.editor.viewInfo.renderLineHighlight; _this._selectionIsEmpty = true; _this._primaryCursorLineNumber = 1; _this._contentLeft = _this._context.configuration.editor.layoutInfo.contentLeft; _this._context.addEventHandler(_this); return _this; } CurrentLineMarginHighlightOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); _super.prototype.dispose.call(this); }; // --- begin event handlers CurrentLineMarginHighlightOverlay.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.viewInfo) { this._renderLineHighlight = this._context.configuration.editor.viewInfo.renderLineHighlight; } if (e.layoutInfo) { this._contentLeft = this._context.configuration.editor.layoutInfo.contentLeft; } return true; }; CurrentLineMarginHighlightOverlay.prototype.onCursorStateChanged = function (e) { var hasChanged = false; var primaryCursorLineNumber = e.selections[0].positionLineNumber; if (this._primaryCursorLineNumber !== primaryCursorLineNumber) { this._primaryCursorLineNumber = primaryCursorLineNumber; hasChanged = true; } var selectionIsEmpty = e.selections[0].isEmpty(); if (this._selectionIsEmpty !== selectionIsEmpty) { this._selectionIsEmpty = selectionIsEmpty; return true; } return hasChanged; }; CurrentLineMarginHighlightOverlay.prototype.onFlushed = function (e) { return true; }; CurrentLineMarginHighlightOverlay.prototype.onLinesDeleted = function (e) { return true; }; CurrentLineMarginHighlightOverlay.prototype.onLinesInserted = function (e) { return true; }; CurrentLineMarginHighlightOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers CurrentLineMarginHighlightOverlay.prototype.prepareRender = function (ctx) { }; CurrentLineMarginHighlightOverlay.prototype.render = function (startLineNumber, lineNumber) { if (lineNumber === this._primaryCursorLineNumber) { var className = 'current-line'; if (this._shouldShowCurrentLine()) { var paintedInContent = this._willRenderContentCurrentLine(); className = 'current-line current-line-margin' + (paintedInContent ? ' current-line-margin-both' : ''); } return ('<div class="' + className + '" style="width:' + String(this._contentLeft) + 'px; height:' + String(this._lineHeight) + 'px;"></div>'); } return ''; }; CurrentLineMarginHighlightOverlay.prototype._shouldShowCurrentLine = function () { return ((this._renderLineHighlight === 'gutter' || this._renderLineHighlight === 'all')); }; CurrentLineMarginHighlightOverlay.prototype._willRenderContentCurrentLine = function () { return ((this._renderLineHighlight === 'line' || this._renderLineHighlight === 'all') && this._selectionIsEmpty); }; return CurrentLineMarginHighlightOverlay; }(__WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); Object(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var lineHighlight = theme.getColor(__WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__["l" /* editorLineHighlight */]); if (lineHighlight) { collector.addRule(".monaco-editor .margin-view-overlays .current-line-margin { background-color: " + lineHighlight + "; border: none; }"); } else { var lineHighlightBorder = theme.getColor(__WEBPACK_IMPORTED_MODULE_2__common_view_editorColorRegistry_js__["m" /* editorLineHighlightBorder */]); if (lineHighlightBorder) { collector.addRule(".monaco-editor .margin-view-overlays .current-line-margin { border: 2px solid " + lineHighlightBorder + "; }"); } if (theme.type === 'hc') { collector.addRule(".monaco-editor .margin-view-overlays .current-line-margin { border-width: 1px; }"); } } }); /***/ }), /***/ 1961: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1962); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1962: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .margin-view-overlays .current-line{display:block;position:absolute;left:0;top:0;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor .margin-view-overlays .current-line.current-line-margin.current-line-margin-both{border-right:0}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/currentLineMarginHighlight/currentLineMarginHighlight.css"],"names":[],"mappings":"AAKA,mDACC,cAAe,AACf,kBAAmB,AACnB,OAAQ,AACR,MAAO,AACP,8BAA+B,AACvB,qBAAuB,CAC/B,AAED,gGACC,cAAgB,CAChB","file":"currentLineMarginHighlight.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .margin-view-overlays .current-line {\n\tdisplay: block;\n\tposition: absolute;\n\tleft: 0;\n\ttop: 0;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n}\n\n.monaco-editor .margin-view-overlays .current-line.current-line-margin.current-line-margin-both {\n\tborder-right: 0;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1963: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DecorationsOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__decorations_css__ = __webpack_require__(1964); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__decorations_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__decorations_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_view_renderingContext_js__ = __webpack_require__(1399); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var DecorationsOverlay = /** @class */ (function (_super) { __extends(DecorationsOverlay, _super); function DecorationsOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._typicalHalfwidthCharacterWidth = _this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } DecorationsOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers DecorationsOverlay.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.fontInfo) { this._typicalHalfwidthCharacterWidth = this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; } return true; }; DecorationsOverlay.prototype.onDecorationsChanged = function (e) { return true; }; DecorationsOverlay.prototype.onFlushed = function (e) { return true; }; DecorationsOverlay.prototype.onLinesChanged = function (e) { return true; }; DecorationsOverlay.prototype.onLinesDeleted = function (e) { return true; }; DecorationsOverlay.prototype.onLinesInserted = function (e) { return true; }; DecorationsOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged || e.scrollWidthChanged; }; DecorationsOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers DecorationsOverlay.prototype.prepareRender = function (ctx) { var _decorations = ctx.getDecorationsInViewport(); // Keep only decorations with `className` var decorations = [], decorationsLen = 0; for (var i = 0, len = _decorations.length; i < len; i++) { var d = _decorations[i]; if (d.options.className) { decorations[decorationsLen++] = d; } } // Sort decorations for consistent render output decorations = decorations.sort(function (a, b) { if (a.options.zIndex < b.options.zIndex) { return -1; } if (a.options.zIndex > b.options.zIndex) { return 1; } var aClassName = a.options.className; var bClassName = b.options.className; if (aClassName < bClassName) { return -1; } if (aClassName > bClassName) { return 1; } return __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */].compareRangesUsingStarts(a.range, b.range); }); var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; output[lineIndex] = ''; } // Render first whole line decorations and then regular decorations this._renderWholeLineDecorations(ctx, decorations, output); this._renderNormalDecorations(ctx, decorations, output); this._renderResult = output; }; DecorationsOverlay.prototype._renderWholeLineDecorations = function (ctx, decorations, output) { var lineHeight = String(this._lineHeight); var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; for (var i = 0, lenI = decorations.length; i < lenI; i++) { var d = decorations[i]; if (!d.options.isWholeLine) { continue; } var decorationOutput = ('<div class="cdr ' + d.options.className + '" style="left:0;width:100%;height:' + lineHeight + 'px;"></div>'); var startLineNumber = Math.max(d.range.startLineNumber, visibleStartLineNumber); var endLineNumber = Math.min(d.range.endLineNumber, visibleEndLineNumber); for (var j = startLineNumber; j <= endLineNumber; j++) { var lineIndex = j - visibleStartLineNumber; output[lineIndex] += decorationOutput; } } }; DecorationsOverlay.prototype._renderNormalDecorations = function (ctx, decorations, output) { var lineHeight = String(this._lineHeight); var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var prevClassName = null; var prevShowIfCollapsed = false; var prevRange = null; for (var i = 0, lenI = decorations.length; i < lenI; i++) { var d = decorations[i]; if (d.options.isWholeLine) { continue; } var className = d.options.className; var showIfCollapsed = Boolean(d.options.showIfCollapsed); var range = d.range; if (showIfCollapsed && range.endColumn === 1 && range.endLineNumber !== range.startLineNumber) { range = new __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */](range.startLineNumber, range.startColumn, range.endLineNumber - 1, this._context.model.getLineMaxColumn(range.endLineNumber - 1)); } if (prevClassName === className && prevShowIfCollapsed === showIfCollapsed && __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */].areIntersectingOrTouching(prevRange, range)) { // merge into previous decoration prevRange = __WEBPACK_IMPORTED_MODULE_2__common_core_range_js__["a" /* Range */].plusRange(prevRange, range); continue; } // flush previous decoration if (prevClassName !== null) { this._renderNormalDecoration(ctx, prevRange, prevClassName, prevShowIfCollapsed, lineHeight, visibleStartLineNumber, output); } prevClassName = className; prevShowIfCollapsed = showIfCollapsed; prevRange = range; } if (prevClassName !== null) { this._renderNormalDecoration(ctx, prevRange, prevClassName, prevShowIfCollapsed, lineHeight, visibleStartLineNumber, output); } }; DecorationsOverlay.prototype._renderNormalDecoration = function (ctx, range, className, showIfCollapsed, lineHeight, visibleStartLineNumber, output) { var linesVisibleRanges = ctx.linesVisibleRangesForRange(range, /*TODO@Alex*/ className === 'findMatch'); if (!linesVisibleRanges) { return; } for (var j = 0, lenJ = linesVisibleRanges.length; j < lenJ; j++) { var lineVisibleRanges = linesVisibleRanges[j]; var lineIndex = lineVisibleRanges.lineNumber - visibleStartLineNumber; if (showIfCollapsed && lineVisibleRanges.ranges.length === 1) { var singleVisibleRange = lineVisibleRanges.ranges[0]; if (singleVisibleRange.width === 0) { // collapsed range case => make the decoration visible by faking its width lineVisibleRanges.ranges[0] = new __WEBPACK_IMPORTED_MODULE_3__common_view_renderingContext_js__["a" /* HorizontalRange */](singleVisibleRange.left, this._typicalHalfwidthCharacterWidth); } } for (var k = 0, lenK = lineVisibleRanges.ranges.length; k < lenK; k++) { var visibleRange = lineVisibleRanges.ranges[k]; var decorationOutput = ('<div class="cdr ' + className + '" style="left:' + String(visibleRange.left) + 'px;width:' + String(visibleRange.width) + 'px;height:' + lineHeight + 'px;"></div>'); output[lineIndex] += decorationOutput; } } }; DecorationsOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } var lineIndex = lineNumber - startLineNumber; if (lineIndex < 0 || lineIndex >= this._renderResult.length) { return ''; } return this._renderResult[lineIndex]; }; return DecorationsOverlay; }(__WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); /***/ }), /***/ 1964: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1965); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1965: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .lines-content .cdr{position:absolute}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/decorations/decorations.css"],"names":[],"mappings":"AASA,mCACC,iBAAmB,CACnB","file":"decorations.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/*\n\tKeeping name short for faster parsing.\n\tcdr = core decorations rendering (div)\n*/\n.monaco-editor .lines-content .cdr {\n\tposition: absolute;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1966: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return EditorScrollbar; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_ui_scrollbar_scrollableElement_js__ = __webpack_require__(1452); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var EditorScrollbar = /** @class */ (function (_super) { __extends(EditorScrollbar, _super); function EditorScrollbar(context, linesContent, viewDomNode, overflowGuardDomNode) { var _this = _super.call(this, context) || this; var editor = _this._context.configuration.editor; var configScrollbarOpts = editor.viewInfo.scrollbar; var scrollbarOptions = { listenOnDomNode: viewDomNode.domNode, className: 'editor-scrollable' + ' ' + Object(__WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__["d" /* getThemeTypeSelector */])(context.theme.type), useShadows: false, lazyRender: true, vertical: configScrollbarOpts.vertical, horizontal: configScrollbarOpts.horizontal, verticalHasArrows: configScrollbarOpts.verticalHasArrows, horizontalHasArrows: configScrollbarOpts.horizontalHasArrows, verticalScrollbarSize: configScrollbarOpts.verticalScrollbarSize, verticalSliderSize: configScrollbarOpts.verticalSliderSize, horizontalScrollbarSize: configScrollbarOpts.horizontalScrollbarSize, horizontalSliderSize: configScrollbarOpts.horizontalSliderSize, handleMouseWheel: configScrollbarOpts.handleMouseWheel, arrowSize: configScrollbarOpts.arrowSize, mouseWheelScrollSensitivity: configScrollbarOpts.mouseWheelScrollSensitivity, fastScrollSensitivity: configScrollbarOpts.fastScrollSensitivity, }; _this.scrollbar = _this._register(new __WEBPACK_IMPORTED_MODULE_2__base_browser_ui_scrollbar_scrollableElement_js__["c" /* SmoothScrollableElement */](linesContent.domNode, scrollbarOptions, _this._context.viewLayout.scrollable)); __WEBPACK_IMPORTED_MODULE_3__view_viewPart_js__["a" /* PartFingerprints */].write(_this.scrollbar.getDomNode(), 5 /* ScrollableElement */); _this.scrollbarDomNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(_this.scrollbar.getDomNode()); _this.scrollbarDomNode.setPosition('absolute'); _this._setLayout(); // When having a zone widget that calls .focus() on one of its dom elements, // the browser will try desperately to reveal that dom node, unexpectedly // changing the .scrollTop of this.linesContent var onBrowserDesperateReveal = function (domNode, lookAtScrollTop, lookAtScrollLeft) { var newScrollPosition = {}; if (lookAtScrollTop) { var deltaTop = domNode.scrollTop; if (deltaTop) { newScrollPosition.scrollTop = _this._context.viewLayout.getCurrentScrollTop() + deltaTop; domNode.scrollTop = 0; } } if (lookAtScrollLeft) { var deltaLeft = domNode.scrollLeft; if (deltaLeft) { newScrollPosition.scrollLeft = _this._context.viewLayout.getCurrentScrollLeft() + deltaLeft; domNode.scrollLeft = 0; } } _this._context.viewLayout.setScrollPositionNow(newScrollPosition); }; // I've seen this happen both on the view dom node & on the lines content dom node. _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](viewDomNode.domNode, 'scroll', function (e) { return onBrowserDesperateReveal(viewDomNode.domNode, true, true); })); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](linesContent.domNode, 'scroll', function (e) { return onBrowserDesperateReveal(linesContent.domNode, true, false); })); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](overflowGuardDomNode.domNode, 'scroll', function (e) { return onBrowserDesperateReveal(overflowGuardDomNode.domNode, true, false); })); _this._register(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["g" /* addDisposableListener */](_this.scrollbarDomNode.domNode, 'scroll', function (e) { return onBrowserDesperateReveal(_this.scrollbarDomNode.domNode, true, false); })); return _this; } EditorScrollbar.prototype.dispose = function () { _super.prototype.dispose.call(this); }; EditorScrollbar.prototype._setLayout = function () { var layoutInfo = this._context.configuration.editor.layoutInfo; this.scrollbarDomNode.setLeft(layoutInfo.contentLeft); var side = this._context.configuration.editor.viewInfo.minimap.side; if (side === 'right') { this.scrollbarDomNode.setWidth(layoutInfo.contentWidth + layoutInfo.minimapWidth); } else { this.scrollbarDomNode.setWidth(layoutInfo.contentWidth); } this.scrollbarDomNode.setHeight(layoutInfo.contentHeight); }; EditorScrollbar.prototype.getOverviewRulerLayoutInfo = function () { return this.scrollbar.getOverviewRulerLayoutInfo(); }; EditorScrollbar.prototype.getDomNode = function () { return this.scrollbarDomNode; }; EditorScrollbar.prototype.delegateVerticalScrollbarMouseDown = function (browserEvent) { this.scrollbar.delegateVerticalScrollbarMouseDown(browserEvent); }; // --- begin event handlers EditorScrollbar.prototype.onConfigurationChanged = function (e) { if (e.viewInfo) { var editor = this._context.configuration.editor; var newOpts = { handleMouseWheel: editor.viewInfo.scrollbar.handleMouseWheel, mouseWheelScrollSensitivity: editor.viewInfo.scrollbar.mouseWheelScrollSensitivity, fastScrollSensitivity: editor.viewInfo.scrollbar.fastScrollSensitivity }; this.scrollbar.updateOptions(newOpts); } if (e.layoutInfo) { this._setLayout(); } return true; }; EditorScrollbar.prototype.onScrollChanged = function (e) { return true; }; EditorScrollbar.prototype.onThemeChanged = function (e) { this.scrollbar.updateClassName('editor-scrollable' + ' ' + Object(__WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__["d" /* getThemeTypeSelector */])(this._context.theme.type)); return true; }; // --- end event handlers EditorScrollbar.prototype.prepareRender = function (ctx) { // Nothing to do }; EditorScrollbar.prototype.render = function (ctx) { this.scrollbar.renderNow(); }; return EditorScrollbar; }(__WEBPACK_IMPORTED_MODULE_3__view_viewPart_js__["b" /* ViewPart */])); /***/ }), /***/ 1967: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1968); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1968: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-scrollable-element>.scrollbar>.up-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiIGZpbGw9IiM0MjQyNDIiLz48L3N2Zz4=\");cursor:pointer}.monaco-scrollable-element>.scrollbar>.down-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTE4MCA1LjQ5MDQ1OTkxODk3NTgzLDUuODExNTAwMDcyNDc5MjQ4KSIgZmlsbD0iIzQyNDI0MiIgZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiLz48L3N2Zz4=\");cursor:pointer}.monaco-scrollable-element>.scrollbar>.left-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTkwIDUuNDkwNDU5OTE4OTc1ODMxLDUuNDMxMzgyMTc5MjYwMjU0KSIgZmlsbD0iIzQyNDI0MiIgZD0ibTkuNDgwNDYsOC41ODEzOGwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\");cursor:pointer}.monaco-scrollable-element>.scrollbar>.right-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoOTAgNS42MTcxNjUwODg2NTM1NjQ1LDUuNTU4MDg5NzMzMTIzNzgpICIgZmlsbD0iIzQyNDI0MiIgZD0ibTkuNjA3MTcsOC43MDgwOWwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\");cursor:pointer}.hc-black .monaco-scrollable-element>.scrollbar>.up-arrow,.vs-dark .monaco-scrollable-element>.scrollbar>.up-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiIGZpbGw9IiNFOEU4RTgiLz48L3N2Zz4=\")}.hc-black .monaco-scrollable-element>.scrollbar>.down-arrow,.vs-dark .monaco-scrollable-element>.scrollbar>.down-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTE4MCA1LjQ5MDQ1OTkxODk3NTgzLDUuODExNTAwMDcyNDc5MjQ4KSIgZmlsbD0iI0U4RThFOCIgZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiLz48L3N2Zz4=\")}.hc-black .monaco-scrollable-element>.scrollbar>.left-arrow,.vs-dark .monaco-scrollable-element>.scrollbar>.left-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTkwIDUuNDkwNDU5OTE4OTc1ODMxLDUuNDMxMzgyMTc5MjYwMjU0KSIgZmlsbD0iI0U4RThFOCIgZD0ibTkuNDgwNDYsOC41ODEzOGwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\")}.hc-black .monaco-scrollable-element>.scrollbar>.right-arrow,.vs-dark .monaco-scrollable-element>.scrollbar>.right-arrow{background:url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoOTAgNS42MTcxNjUwODg2NTM1NjQ1LDUuNTU4MDg5NzMzMTIzNzgpICIgZmlsbD0iI0U4RThFOCIgZD0ibTkuNjA3MTcsOC43MDgwOWwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\")}.monaco-scrollable-element>.visible{opacity:1;background:transparent;-webkit-transition:opacity .1s linear;-o-transition:opacity .1s linear;transition:opacity .1s linear}.monaco-scrollable-element>.invisible{opacity:0;pointer-events:none}.monaco-scrollable-element>.invisible.fade{-webkit-transition:opacity .8s linear;-o-transition:opacity .8s linear;transition:opacity .8s linear}.monaco-scrollable-element>.shadow{position:absolute;display:none}.monaco-scrollable-element>.shadow.top{display:block;top:0;left:3px;height:3px;width:100%;-webkit-box-shadow:#ddd 0 6px 6px -6px inset;box-shadow:inset 0 6px 6px -6px #ddd}.monaco-scrollable-element>.shadow.left{display:block;top:3px;left:0;height:100%;width:3px;-webkit-box-shadow:#ddd 6px 0 6px -6px inset;box-shadow:inset 6px 0 6px -6px #ddd}.monaco-scrollable-element>.shadow.top-left-corner{display:block;top:0;left:0;height:3px;width:3px}.monaco-scrollable-element>.shadow.top.left{-webkit-box-shadow:#ddd 6px 6px 6px -6px inset;box-shadow:inset 6px 6px 6px -6px #ddd}.vs .monaco-scrollable-element>.scrollbar>.slider{background:hsla(0,0%,39%,.4)}.vs-dark .monaco-scrollable-element>.scrollbar>.slider{background:hsla(0,0%,47%,.4)}.hc-black .monaco-scrollable-element>.scrollbar>.slider{background:rgba(111,195,223,.6)}.monaco-scrollable-element>.scrollbar>.slider:hover{background:hsla(0,0%,39%,.7)}.hc-black .monaco-scrollable-element>.scrollbar>.slider:hover{background:rgba(111,195,223,.8)}.monaco-scrollable-element>.scrollbar>.slider.active{background:rgba(0,0,0,.6)}.vs-dark .monaco-scrollable-element>.scrollbar>.slider.active{background:hsla(0,0%,75%,.4)}.hc-black .monaco-scrollable-element>.scrollbar>.slider.active{background:#6fc3df}.vs-dark .monaco-scrollable-element .shadow.top{-webkit-box-shadow:none;box-shadow:none}.vs-dark .monaco-scrollable-element .shadow.left{-webkit-box-shadow:#000 6px 0 6px -6px inset;box-shadow:inset 6px 0 6px -6px #000}.vs-dark .monaco-scrollable-element .shadow.top.left{-webkit-box-shadow:#000 6px 6px 6px -6px inset;box-shadow:inset 6px 6px 6px -6px #000}.hc-black .monaco-scrollable-element .shadow.left,.hc-black .monaco-scrollable-element .shadow.top,.hc-black .monaco-scrollable-element .shadow.top.left{-webkit-box-shadow:none;box-shadow:none}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/scrollbar/media/scrollbars.css"],"names":[],"mappings":"AAMA,gDACC,qRAAsR,AACtR,cAAgB,CAChB,AACD,kDACC,qWAAsW,AACtW,cAAgB,CAChB,AACD,kDACC,qWAAsW,AACtW,cAAgB,CAChB,AACD,mDACC,qWAAsW,AACtW,cAAgB,CAChB,AAED,mHAEC,oRAAsR,CACtR,AACD,uHAEC,oWAAsW,CACtW,AACD,uHAEC,oWAAsW,CACtW,AACD,yHAEC,oWAAsW,CACtW,AAED,oCACC,UAAW,AAGX,uBAAyB,AAEzB,sCAAyC,AAEzC,iCAAoC,AAEpC,6BAAiC,CACjC,AACD,sCACC,UAAW,AACX,mBAAqB,CACrB,AACD,2CACC,sCAAyC,AACzC,iCAAoC,AACpC,6BAAiC,CACjC,AAGD,mCACC,kBAAmB,AACnB,YAAc,CACd,AACD,uCACC,cAAe,AACf,MAAO,AACP,SAAU,AACV,WAAY,AACZ,WAAY,AACZ,6CAA8C,AACtC,oCAAsC,CAC9C,AACD,wCACC,cAAe,AACf,QAAS,AACT,OAAQ,AACR,YAAa,AACb,UAAW,AACX,6CAA8C,AACtC,oCAAsC,CAC9C,AACD,mDACC,cAAe,AACf,MAAO,AACP,OAAQ,AACR,WAAY,AACZ,SAAW,CACX,AACD,4CACC,+CAAgD,AACxC,sCAAwC,CAChD,AAID,kDACC,4BAAoC,CACpC,AACD,uDACC,4BAAoC,CACpC,AACD,wDACC,+BAAoC,CACpC,AAED,oDACC,4BAAoC,CACpC,AACD,8DACC,+BAAoC,CACpC,AAED,qDACC,yBAA8B,CAC9B,AACD,8DACC,4BAAoC,CACpC,AACD,+DACC,kBAAmC,CACnC,AAED,gDACC,wBAAyB,AACjB,eAAiB,CACzB,AAED,iDACC,6CAA8C,AACtC,oCAAsC,CAC9C,AAED,qDACC,+CAAgD,AACxC,sCAAwC,CAChD,AAYD,yJACC,wBAAyB,AACjB,eAAiB,CACzB","file":"scrollbars.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/* Arrows */\n.monaco-scrollable-element > .scrollbar > .up-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiIGZpbGw9IiM0MjQyNDIiLz48L3N2Zz4=\");\n\tcursor: pointer;\n}\n.monaco-scrollable-element > .scrollbar > .down-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTE4MCA1LjQ5MDQ1OTkxODk3NTgzLDUuODExNTAwMDcyNDc5MjQ4KSIgZmlsbD0iIzQyNDI0MiIgZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiLz48L3N2Zz4=\");\n\tcursor: pointer;\n}\n.monaco-scrollable-element > .scrollbar > .left-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTkwIDUuNDkwNDU5OTE4OTc1ODMxLDUuNDMxMzgyMTc5MjYwMjU0KSIgZmlsbD0iIzQyNDI0MiIgZD0ibTkuNDgwNDYsOC41ODEzOGwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\");\n\tcursor: pointer;\n}\n.monaco-scrollable-element > .scrollbar > .right-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoOTAgNS42MTcxNjUwODg2NTM1NjQ1LDUuNTU4MDg5NzMzMTIzNzgpICIgZmlsbD0iIzQyNDI0MiIgZD0ibTkuNjA3MTcsOC43MDgwOWwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\");\n\tcursor: pointer;\n}\n\n.hc-black .monaco-scrollable-element > .scrollbar > .up-arrow,\n.vs-dark .monaco-scrollable-element > .scrollbar > .up-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiIGZpbGw9IiNFOEU4RTgiLz48L3N2Zz4=\");\n}\n.hc-black .monaco-scrollable-element > .scrollbar > .down-arrow,\n.vs-dark .monaco-scrollable-element > .scrollbar > .down-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTE4MCA1LjQ5MDQ1OTkxODk3NTgzLDUuODExNTAwMDcyNDc5MjQ4KSIgZmlsbD0iI0U4RThFOCIgZD0ibTkuNDgwNDYsOC45NjE1bDEuMjYsLTEuMjZsLTUuMDQsLTUuMDRsLTUuNDYsNS4wNGwxLjI2LDEuMjZsNC4yLC0zLjc4bDMuNzgsMy43OHoiLz48L3N2Zz4=\");\n}\n.hc-black .monaco-scrollable-element > .scrollbar > .left-arrow,\n.vs-dark .monaco-scrollable-element > .scrollbar > .left-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMSAxMSI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoLTkwIDUuNDkwNDU5OTE4OTc1ODMxLDUuNDMxMzgyMTc5MjYwMjU0KSIgZmlsbD0iI0U4RThFOCIgZD0ibTkuNDgwNDYsOC41ODEzOGwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\");\n}\n.hc-black .monaco-scrollable-element > .scrollbar > .right-arrow,\n.vs-dark .monaco-scrollable-element > .scrollbar > .right-arrow {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB2aWV3Qm94PSIwIDAgMTEgMTEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHBhdGggdHJhbnNmb3JtPSJyb3RhdGUoOTAgNS42MTcxNjUwODg2NTM1NjQ1LDUuNTU4MDg5NzMzMTIzNzgpICIgZmlsbD0iI0U4RThFOCIgZD0ibTkuNjA3MTcsOC43MDgwOWwxLjI2LC0xLjI2bC01LjA0LC01LjA0bC01LjQ2LDUuMDRsMS4yNiwxLjI2bDQuMiwtMy43OGwzLjc4LDMuNzh6Ii8+PC9zdmc+\");\n}\n\n.monaco-scrollable-element > .visible {\n\topacity: 1;\n\n\t/* Background rule added for IE9 - to allow clicks on dom node */\n\tbackground:rgba(0,0,0,0);\n\n\t-webkit-transition: opacity 100ms linear;\n\n\t-o-transition: opacity 100ms linear;\n\n\ttransition: opacity 100ms linear;\n}\n.monaco-scrollable-element > .invisible {\n\topacity: 0;\n\tpointer-events: none;\n}\n.monaco-scrollable-element > .invisible.fade {\n\t-webkit-transition: opacity 800ms linear;\n\t-o-transition: opacity 800ms linear;\n\ttransition: opacity 800ms linear;\n}\n\n/* Scrollable Content Inset Shadow */\n.monaco-scrollable-element > .shadow {\n\tposition: absolute;\n\tdisplay: none;\n}\n.monaco-scrollable-element > .shadow.top {\n\tdisplay: block;\n\ttop: 0;\n\tleft: 3px;\n\theight: 3px;\n\twidth: 100%;\n\t-webkit-box-shadow: #DDD 0 6px 6px -6px inset;\n\t box-shadow: #DDD 0 6px 6px -6px inset;\n}\n.monaco-scrollable-element > .shadow.left {\n\tdisplay: block;\n\ttop: 3px;\n\tleft: 0;\n\theight: 100%;\n\twidth: 3px;\n\t-webkit-box-shadow: #DDD 6px 0 6px -6px inset;\n\t box-shadow: #DDD 6px 0 6px -6px inset;\n}\n.monaco-scrollable-element > .shadow.top-left-corner {\n\tdisplay: block;\n\ttop: 0;\n\tleft: 0;\n\theight: 3px;\n\twidth: 3px;\n}\n.monaco-scrollable-element > .shadow.top.left {\n\t-webkit-box-shadow: #DDD 6px 6px 6px -6px inset;\n\t box-shadow: #DDD 6px 6px 6px -6px inset;\n}\n\n/* ---------- Default Style ---------- */\n\n.vs .monaco-scrollable-element > .scrollbar > .slider {\n\tbackground: rgba(100, 100, 100, .4);\n}\n.vs-dark .monaco-scrollable-element > .scrollbar > .slider {\n\tbackground: rgba(121, 121, 121, .4);\n}\n.hc-black .monaco-scrollable-element > .scrollbar > .slider {\n\tbackground: rgba(111, 195, 223, .6);\n}\n\n.monaco-scrollable-element > .scrollbar > .slider:hover {\n\tbackground: rgba(100, 100, 100, .7);\n}\n.hc-black .monaco-scrollable-element > .scrollbar > .slider:hover {\n\tbackground: rgba(111, 195, 223, .8);\n}\n\n.monaco-scrollable-element > .scrollbar > .slider.active {\n\tbackground: rgba(0, 0, 0, .6);\n}\n.vs-dark .monaco-scrollable-element > .scrollbar > .slider.active {\n\tbackground: rgba(191, 191, 191, .4);\n}\n.hc-black .monaco-scrollable-element > .scrollbar > .slider.active {\n\tbackground: rgba(111, 195, 223, 1);\n}\n\n.vs-dark .monaco-scrollable-element .shadow.top {\n\t-webkit-box-shadow: none;\n\t box-shadow: none;\n}\n\n.vs-dark .monaco-scrollable-element .shadow.left {\n\t-webkit-box-shadow: #000 6px 0 6px -6px inset;\n\t box-shadow: #000 6px 0 6px -6px inset;\n}\n\n.vs-dark .monaco-scrollable-element .shadow.top.left {\n\t-webkit-box-shadow: #000 6px 6px 6px -6px inset;\n\t box-shadow: #000 6px 6px 6px -6px inset;\n}\n\n.hc-black .monaco-scrollable-element .shadow.top {\n\t-webkit-box-shadow: none;\n\t box-shadow: none;\n}\n\n.hc-black .monaco-scrollable-element .shadow.left {\n\t-webkit-box-shadow: none;\n\t box-shadow: none;\n}\n\n.hc-black .monaco-scrollable-element .shadow.top.left {\n\t-webkit-box-shadow: none;\n\t box-shadow: none;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1969: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return HorizontalScrollbar; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__abstractScrollbar_js__ = __webpack_require__(1709); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__scrollbarArrow_js__ = __webpack_require__(1577); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__scrollbarState_js__ = __webpack_require__(1710); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var HorizontalScrollbar = /** @class */ (function (_super) { __extends(HorizontalScrollbar, _super); function HorizontalScrollbar(scrollable, options, host) { var _this = _super.call(this, { lazyRender: options.lazyRender, host: host, scrollbarState: new __WEBPACK_IMPORTED_MODULE_3__scrollbarState_js__["a" /* ScrollbarState */]((options.horizontalHasArrows ? options.arrowSize : 0), (options.horizontal === 2 /* Hidden */ ? 0 : options.horizontalScrollbarSize), (options.vertical === 2 /* Hidden */ ? 0 : options.verticalScrollbarSize)), visibility: options.horizontal, extraScrollbarClassName: 'horizontal', scrollable: scrollable }) || this; if (options.horizontalHasArrows) { var arrowDelta = (options.arrowSize - __WEBPACK_IMPORTED_MODULE_2__scrollbarArrow_js__["a" /* ARROW_IMG_SIZE */]) / 2; var scrollbarDelta = (options.horizontalScrollbarSize - __WEBPACK_IMPORTED_MODULE_2__scrollbarArrow_js__["a" /* ARROW_IMG_SIZE */]) / 2; _this._createArrow({ className: 'left-arrow', top: scrollbarDelta, left: arrowDelta, bottom: undefined, right: undefined, bgWidth: options.arrowSize, bgHeight: options.horizontalScrollbarSize, onActivate: function () { return _this._host.onMouseWheel(new __WEBPACK_IMPORTED_MODULE_0__mouseEvent_js__["b" /* StandardWheelEvent */](null, 1, 0)); }, }); _this._createArrow({ className: 'right-arrow', top: scrollbarDelta, left: undefined, bottom: undefined, right: arrowDelta, bgWidth: options.arrowSize, bgHeight: options.horizontalScrollbarSize, onActivate: function () { return _this._host.onMouseWheel(new __WEBPACK_IMPORTED_MODULE_0__mouseEvent_js__["b" /* StandardWheelEvent */](null, -1, 0)); }, }); } _this._createSlider(Math.floor((options.horizontalScrollbarSize - options.horizontalSliderSize) / 2), 0, undefined, options.horizontalSliderSize); return _this; } HorizontalScrollbar.prototype._updateSlider = function (sliderSize, sliderPosition) { this.slider.setWidth(sliderSize); this.slider.setLeft(sliderPosition); }; HorizontalScrollbar.prototype._renderDomNode = function (largeSize, smallSize) { this.domNode.setWidth(largeSize); this.domNode.setHeight(smallSize); this.domNode.setLeft(0); this.domNode.setBottom(0); }; HorizontalScrollbar.prototype.onDidScroll = function (e) { this._shouldRender = this._onElementScrollSize(e.scrollWidth) || this._shouldRender; this._shouldRender = this._onElementScrollPosition(e.scrollLeft) || this._shouldRender; this._shouldRender = this._onElementSize(e.width) || this._shouldRender; return this._shouldRender; }; HorizontalScrollbar.prototype._mouseDownRelativePosition = function (offsetX, offsetY) { return offsetX; }; HorizontalScrollbar.prototype._sliderMousePosition = function (e) { return e.posx; }; HorizontalScrollbar.prototype._sliderOrthogonalMousePosition = function (e) { return e.posy; }; HorizontalScrollbar.prototype.writeScrollPosition = function (target, scrollPosition) { target.scrollLeft = scrollPosition; }; return HorizontalScrollbar; }(__WEBPACK_IMPORTED_MODULE_1__abstractScrollbar_js__["a" /* AbstractScrollbar */])); /***/ }), /***/ 1970: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ScrollbarVisibilityController; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ScrollbarVisibilityController = /** @class */ (function (_super) { __extends(ScrollbarVisibilityController, _super); function ScrollbarVisibilityController(visibility, visibleClassName, invisibleClassName) { var _this = _super.call(this) || this; _this._visibility = visibility; _this._visibleClassName = visibleClassName; _this._invisibleClassName = invisibleClassName; _this._domNode = null; _this._isVisible = false; _this._isNeeded = false; _this._shouldBeVisible = false; _this._revealTimer = _this._register(new __WEBPACK_IMPORTED_MODULE_0__common_async_js__["d" /* TimeoutTimer */]()); return _this; } // ----------------- Hide / Reveal ScrollbarVisibilityController.prototype.applyVisibilitySetting = function (shouldBeVisible) { if (this._visibility === 2 /* Hidden */) { return false; } if (this._visibility === 3 /* Visible */) { return true; } return shouldBeVisible; }; ScrollbarVisibilityController.prototype.setShouldBeVisible = function (rawShouldBeVisible) { var shouldBeVisible = this.applyVisibilitySetting(rawShouldBeVisible); if (this._shouldBeVisible !== shouldBeVisible) { this._shouldBeVisible = shouldBeVisible; this.ensureVisibility(); } }; ScrollbarVisibilityController.prototype.setIsNeeded = function (isNeeded) { if (this._isNeeded !== isNeeded) { this._isNeeded = isNeeded; this.ensureVisibility(); } }; ScrollbarVisibilityController.prototype.setDomNode = function (domNode) { this._domNode = domNode; this._domNode.setClassName(this._invisibleClassName); // Now that the flags & the dom node are in a consistent state, ensure the Hidden/Visible configuration this.setShouldBeVisible(false); }; ScrollbarVisibilityController.prototype.ensureVisibility = function () { if (!this._isNeeded) { // Nothing to be rendered this._hide(false); return; } if (this._shouldBeVisible) { this._reveal(); } else { this._hide(true); } }; ScrollbarVisibilityController.prototype._reveal = function () { var _this = this; if (this._isVisible) { return; } this._isVisible = true; // The CSS animation doesn't play otherwise this._revealTimer.setIfNotSet(function () { if (_this._domNode) { _this._domNode.setClassName(_this._visibleClassName); } }, 0); }; ScrollbarVisibilityController.prototype._hide = function (withFadeAway) { this._revealTimer.cancel(); if (!this._isVisible) { return; } this._isVisible = false; if (this._domNode) { this._domNode.setClassName(this._invisibleClassName + (withFadeAway ? ' fade' : '')); } }; return ScrollbarVisibilityController; }(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 1971: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return VerticalScrollbar; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__abstractScrollbar_js__ = __webpack_require__(1709); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__scrollbarArrow_js__ = __webpack_require__(1577); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__scrollbarState_js__ = __webpack_require__(1710); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var VerticalScrollbar = /** @class */ (function (_super) { __extends(VerticalScrollbar, _super); function VerticalScrollbar(scrollable, options, host) { var _this = _super.call(this, { lazyRender: options.lazyRender, host: host, scrollbarState: new __WEBPACK_IMPORTED_MODULE_3__scrollbarState_js__["a" /* ScrollbarState */]((options.verticalHasArrows ? options.arrowSize : 0), (options.vertical === 2 /* Hidden */ ? 0 : options.verticalScrollbarSize), // give priority to vertical scroll bar over horizontal and let it scroll all the way to the bottom 0), visibility: options.vertical, extraScrollbarClassName: 'vertical', scrollable: scrollable }) || this; if (options.verticalHasArrows) { var arrowDelta = (options.arrowSize - __WEBPACK_IMPORTED_MODULE_2__scrollbarArrow_js__["a" /* ARROW_IMG_SIZE */]) / 2; var scrollbarDelta = (options.verticalScrollbarSize - __WEBPACK_IMPORTED_MODULE_2__scrollbarArrow_js__["a" /* ARROW_IMG_SIZE */]) / 2; _this._createArrow({ className: 'up-arrow', top: arrowDelta, left: scrollbarDelta, bottom: undefined, right: undefined, bgWidth: options.verticalScrollbarSize, bgHeight: options.arrowSize, onActivate: function () { return _this._host.onMouseWheel(new __WEBPACK_IMPORTED_MODULE_0__mouseEvent_js__["b" /* StandardWheelEvent */](null, 0, 1)); }, }); _this._createArrow({ className: 'down-arrow', top: undefined, left: scrollbarDelta, bottom: arrowDelta, right: undefined, bgWidth: options.verticalScrollbarSize, bgHeight: options.arrowSize, onActivate: function () { return _this._host.onMouseWheel(new __WEBPACK_IMPORTED_MODULE_0__mouseEvent_js__["b" /* StandardWheelEvent */](null, 0, -1)); }, }); } _this._createSlider(0, Math.floor((options.verticalScrollbarSize - options.verticalSliderSize) / 2), options.verticalSliderSize, undefined); return _this; } VerticalScrollbar.prototype._updateSlider = function (sliderSize, sliderPosition) { this.slider.setHeight(sliderSize); this.slider.setTop(sliderPosition); }; VerticalScrollbar.prototype._renderDomNode = function (largeSize, smallSize) { this.domNode.setWidth(smallSize); this.domNode.setHeight(largeSize); this.domNode.setRight(0); this.domNode.setTop(0); }; VerticalScrollbar.prototype.onDidScroll = function (e) { this._shouldRender = this._onElementScrollSize(e.scrollHeight) || this._shouldRender; this._shouldRender = this._onElementScrollPosition(e.scrollTop) || this._shouldRender; this._shouldRender = this._onElementSize(e.height) || this._shouldRender; return this._shouldRender; }; VerticalScrollbar.prototype._mouseDownRelativePosition = function (offsetX, offsetY) { return offsetY; }; VerticalScrollbar.prototype._sliderMousePosition = function (e) { return e.posy; }; VerticalScrollbar.prototype._sliderOrthogonalMousePosition = function (e) { return e.posx; }; VerticalScrollbar.prototype.writeScrollPosition = function (target, scrollPosition) { target.scrollTop = scrollPosition; }; return VerticalScrollbar; }(__WEBPACK_IMPORTED_MODULE_1__abstractScrollbar_js__["a" /* AbstractScrollbar */])); /***/ }), /***/ 1972: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1973); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1973: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .glyph-margin{position:absolute;top:0}.monaco-editor .margin-view-overlays .cgmr{position:absolute}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/glyphMargin/glyphMargin.css"],"names":[],"mappings":"AAKA,6BACC,kBAAmB,AACnB,KAAO,CACP,AAMD,2CACC,iBAAmB,CACnB","file":"glyphMargin.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .glyph-margin {\n\tposition: absolute;\n\ttop: 0;\n}\n\n/*\n\tKeeping name short for faster parsing.\n\tcgmr = core glyph margin rendering (div)\n*/\n.monaco-editor .margin-view-overlays .cgmr {\n\tposition: absolute;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1974: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IndentGuidesOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__indentGuides_css__ = __webpack_require__(1975); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__indentGuides_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__indentGuides_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var IndentGuidesOverlay = /** @class */ (function (_super) { __extends(IndentGuidesOverlay, _super); function IndentGuidesOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._primaryLineNumber = 0; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._spaceWidth = _this._context.configuration.editor.fontInfo.spaceWidth; _this._enabled = _this._context.configuration.editor.viewInfo.renderIndentGuides; _this._activeIndentEnabled = _this._context.configuration.editor.viewInfo.highlightActiveIndentGuide; _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } IndentGuidesOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers IndentGuidesOverlay.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.fontInfo) { this._spaceWidth = this._context.configuration.editor.fontInfo.spaceWidth; } if (e.viewInfo) { this._enabled = this._context.configuration.editor.viewInfo.renderIndentGuides; this._activeIndentEnabled = this._context.configuration.editor.viewInfo.highlightActiveIndentGuide; } return true; }; IndentGuidesOverlay.prototype.onCursorStateChanged = function (e) { var selection = e.selections[0]; var newPrimaryLineNumber = selection.isEmpty() ? selection.positionLineNumber : 0; if (this._primaryLineNumber !== newPrimaryLineNumber) { this._primaryLineNumber = newPrimaryLineNumber; return true; } return false; }; IndentGuidesOverlay.prototype.onDecorationsChanged = function (e) { // true for inline decorations return true; }; IndentGuidesOverlay.prototype.onFlushed = function (e) { return true; }; IndentGuidesOverlay.prototype.onLinesChanged = function (e) { return true; }; IndentGuidesOverlay.prototype.onLinesDeleted = function (e) { return true; }; IndentGuidesOverlay.prototype.onLinesInserted = function (e) { return true; }; IndentGuidesOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; // || e.scrollWidthChanged; }; IndentGuidesOverlay.prototype.onZonesChanged = function (e) { return true; }; IndentGuidesOverlay.prototype.onLanguageConfigurationChanged = function (e) { return true; }; // --- end event handlers IndentGuidesOverlay.prototype.prepareRender = function (ctx) { if (!this._enabled) { this._renderResult = null; return; } var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; var indentSize = this._context.model.getOptions().indentSize; var indentWidth = indentSize * this._spaceWidth; var scrollWidth = ctx.scrollWidth; var lineHeight = this._lineHeight; var indents = this._context.model.getLinesIndentGuides(visibleStartLineNumber, visibleEndLineNumber); var activeIndentStartLineNumber = 0; var activeIndentEndLineNumber = 0; var activeIndentLevel = 0; if (this._activeIndentEnabled && this._primaryLineNumber) { var activeIndentInfo = this._context.model.getActiveIndentGuide(this._primaryLineNumber, visibleStartLineNumber, visibleEndLineNumber); activeIndentStartLineNumber = activeIndentInfo.startLineNumber; activeIndentEndLineNumber = activeIndentInfo.endLineNumber; activeIndentLevel = activeIndentInfo.indent; } var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var containsActiveIndentGuide = (activeIndentStartLineNumber <= lineNumber && lineNumber <= activeIndentEndLineNumber); var lineIndex = lineNumber - visibleStartLineNumber; var indent = indents[lineIndex]; var result = ''; var leftMostVisiblePosition = ctx.visibleRangeForPosition(new __WEBPACK_IMPORTED_MODULE_2__common_core_position_js__["a" /* Position */](lineNumber, 1)); var left = leftMostVisiblePosition ? leftMostVisiblePosition.left : 0; for (var i = 1; i <= indent; i++) { var className = (containsActiveIndentGuide && i === activeIndentLevel ? 'cigra' : 'cigr'); result += "<div class=\"" + className + "\" style=\"left:" + left + "px;height:" + lineHeight + "px;width:" + indentWidth + "px\"></div>"; left += indentWidth; if (left > scrollWidth) { break; } } output[lineIndex] = result; } this._renderResult = output; }; IndentGuidesOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } var lineIndex = lineNumber - startLineNumber; if (lineIndex < 0 || lineIndex >= this._renderResult.length) { return ''; } return this._renderResult[lineIndex]; }; return IndentGuidesOverlay; }(__WEBPACK_IMPORTED_MODULE_1__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); Object(__WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var editorIndentGuidesColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__common_view_editorColorRegistry_js__["i" /* editorIndentGuides */]); if (editorIndentGuidesColor) { collector.addRule(".monaco-editor .lines-content .cigr { box-shadow: 1px 0 0 0 " + editorIndentGuidesColor + " inset; }"); } var editorActiveIndentGuidesColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__common_view_editorColorRegistry_js__["a" /* editorActiveIndentGuides */]) || editorIndentGuidesColor; if (editorActiveIndentGuidesColor) { collector.addRule(".monaco-editor .lines-content .cigra { box-shadow: 1px 0 0 0 " + editorActiveIndentGuidesColor + " inset; }"); } }); /***/ }), /***/ 1975: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1976); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1976: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .lines-content .cigr,.monaco-editor .lines-content .cigra{position:absolute}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/indentGuides/indentGuides.css"],"names":[],"mappings":"AAYA,yEACC,iBAAmB,CACnB","file":"indentGuides.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/*\n\tKeeping name short for faster parsing.\n\tcigr = core ident guides rendering (div)\n*/\n.monaco-editor .lines-content .cigr {\n\tposition: absolute;\n}\n.monaco-editor .lines-content .cigra {\n\tposition: absolute;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1977: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewLines; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__viewLines_css__ = __webpack_require__(1978); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__viewLines_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__viewLines_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__view_viewLayer_js__ = __webpack_require__(1576); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__viewLine_js__ = __webpack_require__(1698); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_view_renderingContext_js__ = __webpack_require__(1399); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var LastRenderedData = /** @class */ (function () { function LastRenderedData() { this._currentVisibleRange = new __WEBPACK_IMPORTED_MODULE_7__common_core_range_js__["a" /* Range */](1, 1, 1, 1); } LastRenderedData.prototype.getCurrentVisibleRange = function () { return this._currentVisibleRange; }; LastRenderedData.prototype.setCurrentVisibleRange = function (currentVisibleRange) { this._currentVisibleRange = currentVisibleRange; }; return LastRenderedData; }()); var HorizontalRevealRequest = /** @class */ (function () { function HorizontalRevealRequest(lineNumber, startColumn, endColumn, startScrollTop, stopScrollTop, scrollType) { this.lineNumber = lineNumber; this.startColumn = startColumn; this.endColumn = endColumn; this.startScrollTop = startScrollTop; this.stopScrollTop = stopScrollTop; this.scrollType = scrollType; } return HorizontalRevealRequest; }()); var ViewLines = /** @class */ (function (_super) { __extends(ViewLines, _super); function ViewLines(context, linesContent) { var _this = _super.call(this, context) || this; _this._linesContent = linesContent; _this._textRangeRestingSpot = document.createElement('div'); _this._visibleLines = new __WEBPACK_IMPORTED_MODULE_3__view_viewLayer_js__["b" /* VisibleLinesCollection */](_this); _this.domNode = _this._visibleLines.domNode; var conf = _this._context.configuration; _this._lineHeight = conf.editor.lineHeight; _this._typicalHalfwidthCharacterWidth = conf.editor.fontInfo.typicalHalfwidthCharacterWidth; _this._isViewportWrapping = conf.editor.wrappingInfo.isViewportWrapping; _this._revealHorizontalRightPadding = conf.editor.viewInfo.revealHorizontalRightPadding; _this._canUseLayerHinting = conf.editor.canUseLayerHinting; _this._viewLineOptions = new __WEBPACK_IMPORTED_MODULE_5__viewLine_js__["c" /* ViewLineOptions */](conf, _this._context.theme.type); __WEBPACK_IMPORTED_MODULE_4__view_viewPart_js__["a" /* PartFingerprints */].write(_this.domNode, 7 /* ViewLines */); _this.domNode.setClassName('view-lines'); __WEBPACK_IMPORTED_MODULE_2__config_configuration_js__["a" /* Configuration */].applyFontInfo(_this.domNode, conf.editor.fontInfo); // --- width & height _this._maxLineWidth = 0; _this._asyncUpdateLineWidths = new __WEBPACK_IMPORTED_MODULE_1__base_common_async_js__["c" /* RunOnceScheduler */](function () { _this._updateLineWidthsSlow(); }, 200); _this._lastRenderedData = new LastRenderedData(); _this._horizontalRevealRequest = null; return _this; } ViewLines.prototype.dispose = function () { this._asyncUpdateLineWidths.dispose(); _super.prototype.dispose.call(this); }; ViewLines.prototype.getDomNode = function () { return this.domNode; }; // ---- begin IVisibleLinesHost ViewLines.prototype.createVisibleLine = function () { return new __WEBPACK_IMPORTED_MODULE_5__viewLine_js__["b" /* ViewLine */](this._viewLineOptions); }; // ---- end IVisibleLinesHost // ---- begin view event handlers ViewLines.prototype.onConfigurationChanged = function (e) { this._visibleLines.onConfigurationChanged(e); if (e.wrappingInfo) { this._maxLineWidth = 0; } var conf = this._context.configuration; if (e.lineHeight) { this._lineHeight = conf.editor.lineHeight; } if (e.fontInfo) { this._typicalHalfwidthCharacterWidth = conf.editor.fontInfo.typicalHalfwidthCharacterWidth; } if (e.wrappingInfo) { this._isViewportWrapping = conf.editor.wrappingInfo.isViewportWrapping; } if (e.viewInfo) { this._revealHorizontalRightPadding = conf.editor.viewInfo.revealHorizontalRightPadding; } if (e.canUseLayerHinting) { this._canUseLayerHinting = conf.editor.canUseLayerHinting; } if (e.fontInfo) { __WEBPACK_IMPORTED_MODULE_2__config_configuration_js__["a" /* Configuration */].applyFontInfo(this.domNode, conf.editor.fontInfo); } this._onOptionsMaybeChanged(); if (e.layoutInfo) { this._maxLineWidth = 0; } return true; }; ViewLines.prototype._onOptionsMaybeChanged = function () { var conf = this._context.configuration; var newViewLineOptions = new __WEBPACK_IMPORTED_MODULE_5__viewLine_js__["c" /* ViewLineOptions */](conf, this._context.theme.type); if (!this._viewLineOptions.equals(newViewLineOptions)) { this._viewLineOptions = newViewLineOptions; var startLineNumber = this._visibleLines.getStartLineNumber(); var endLineNumber = this._visibleLines.getEndLineNumber(); for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var line = this._visibleLines.getVisibleLine(lineNumber); line.onOptionsChanged(this._viewLineOptions); } return true; } return false; }; ViewLines.prototype.onCursorStateChanged = function (e) { var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); var r = false; for (var lineNumber = rendStartLineNumber; lineNumber <= rendEndLineNumber; lineNumber++) { r = this._visibleLines.getVisibleLine(lineNumber).onSelectionChanged() || r; } return r; }; ViewLines.prototype.onDecorationsChanged = function (e) { if (true /*e.inlineDecorationsChanged*/) { var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); for (var lineNumber = rendStartLineNumber; lineNumber <= rendEndLineNumber; lineNumber++) { this._visibleLines.getVisibleLine(lineNumber).onDecorationsChanged(); } } return true; }; ViewLines.prototype.onFlushed = function (e) { var shouldRender = this._visibleLines.onFlushed(e); this._maxLineWidth = 0; return shouldRender; }; ViewLines.prototype.onLinesChanged = function (e) { return this._visibleLines.onLinesChanged(e); }; ViewLines.prototype.onLinesDeleted = function (e) { return this._visibleLines.onLinesDeleted(e); }; ViewLines.prototype.onLinesInserted = function (e) { return this._visibleLines.onLinesInserted(e); }; ViewLines.prototype.onRevealRangeRequest = function (e) { // Using the future viewport here in order to handle multiple // incoming reveal range requests that might all desire to be animated var desiredScrollTop = this._computeScrollTopToRevealRange(this._context.viewLayout.getFutureViewport(), e.range, e.verticalType); // validate the new desired scroll top var newScrollPosition = this._context.viewLayout.validateScrollPosition({ scrollTop: desiredScrollTop }); if (e.revealHorizontal) { if (e.range.startLineNumber !== e.range.endLineNumber) { // Two or more lines? => scroll to base (That's how you see most of the two lines) newScrollPosition = { scrollTop: newScrollPosition.scrollTop, scrollLeft: 0 }; } else { // We don't necessarily know the horizontal offset of this range since the line might not be in the view... this._horizontalRevealRequest = new HorizontalRevealRequest(e.range.startLineNumber, e.range.startColumn, e.range.endColumn, this._context.viewLayout.getCurrentScrollTop(), newScrollPosition.scrollTop, e.scrollType); } } else { this._horizontalRevealRequest = null; } var scrollTopDelta = Math.abs(this._context.viewLayout.getCurrentScrollTop() - newScrollPosition.scrollTop); if (e.scrollType === 0 /* Smooth */ && scrollTopDelta > this._lineHeight) { this._context.viewLayout.setScrollPositionSmooth(newScrollPosition); } else { this._context.viewLayout.setScrollPositionNow(newScrollPosition); } return true; }; ViewLines.prototype.onScrollChanged = function (e) { if (this._horizontalRevealRequest && e.scrollLeftChanged) { // cancel any outstanding horizontal reveal request if someone else scrolls horizontally. this._horizontalRevealRequest = null; } if (this._horizontalRevealRequest && e.scrollTopChanged) { var min = Math.min(this._horizontalRevealRequest.startScrollTop, this._horizontalRevealRequest.stopScrollTop); var max = Math.max(this._horizontalRevealRequest.startScrollTop, this._horizontalRevealRequest.stopScrollTop); if (e.scrollTop < min || e.scrollTop > max) { // cancel any outstanding horizontal reveal request if someone else scrolls vertically. this._horizontalRevealRequest = null; } } this.domNode.setWidth(e.scrollWidth); return this._visibleLines.onScrollChanged(e) || true; }; ViewLines.prototype.onTokensChanged = function (e) { return this._visibleLines.onTokensChanged(e); }; ViewLines.prototype.onZonesChanged = function (e) { this._context.viewLayout.onMaxLineWidthChanged(this._maxLineWidth); return this._visibleLines.onZonesChanged(e); }; ViewLines.prototype.onThemeChanged = function (e) { return this._onOptionsMaybeChanged(); }; // ---- end view event handlers // ----------- HELPERS FOR OTHERS ViewLines.prototype.getPositionFromDOMInfo = function (spanNode, offset) { var viewLineDomNode = this._getViewLineDomNode(spanNode); if (viewLineDomNode === null) { // Couldn't find view line node return null; } var lineNumber = this._getLineNumberFor(viewLineDomNode); if (lineNumber === -1) { // Couldn't find view line node return null; } if (lineNumber < 1 || lineNumber > this._context.model.getLineCount()) { // lineNumber is outside range return null; } if (this._context.model.getLineMaxColumn(lineNumber) === 1) { // Line is empty return new __WEBPACK_IMPORTED_MODULE_6__common_core_position_js__["a" /* Position */](lineNumber, 1); } var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); if (lineNumber < rendStartLineNumber || lineNumber > rendEndLineNumber) { // Couldn't find line return null; } var column = this._visibleLines.getVisibleLine(lineNumber).getColumnOfNodeOffset(lineNumber, spanNode, offset); var minColumn = this._context.model.getLineMinColumn(lineNumber); if (column < minColumn) { column = minColumn; } return new __WEBPACK_IMPORTED_MODULE_6__common_core_position_js__["a" /* Position */](lineNumber, column); }; ViewLines.prototype._getViewLineDomNode = function (node) { while (node && node.nodeType === 1) { if (node.className === __WEBPACK_IMPORTED_MODULE_5__viewLine_js__["b" /* ViewLine */].CLASS_NAME) { return node; } node = node.parentElement; } return null; }; /** * @returns the line number of this view line dom node. */ ViewLines.prototype._getLineNumberFor = function (domNode) { var startLineNumber = this._visibleLines.getStartLineNumber(); var endLineNumber = this._visibleLines.getEndLineNumber(); for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var line = this._visibleLines.getVisibleLine(lineNumber); if (domNode === line.getDomNode()) { return lineNumber; } } return -1; }; ViewLines.prototype.getLineWidth = function (lineNumber) { var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); if (lineNumber < rendStartLineNumber || lineNumber > rendEndLineNumber) { // Couldn't find line return -1; } return this._visibleLines.getVisibleLine(lineNumber).getWidth(); }; ViewLines.prototype.linesVisibleRangesForRange = function (_range, includeNewLines) { if (this.shouldRender()) { // Cannot read from the DOM because it is dirty // i.e. the model & the dom are out of sync, so I'd be reading something stale return null; } var originalEndLineNumber = _range.endLineNumber; var range = __WEBPACK_IMPORTED_MODULE_7__common_core_range_js__["a" /* Range */].intersectRanges(_range, this._lastRenderedData.getCurrentVisibleRange()); if (!range) { return null; } var visibleRanges = [], visibleRangesLen = 0; var domReadingContext = new __WEBPACK_IMPORTED_MODULE_5__viewLine_js__["a" /* DomReadingContext */](this.domNode.domNode, this._textRangeRestingSpot); var nextLineModelLineNumber = 0; if (includeNewLines) { nextLineModelLineNumber = this._context.model.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_6__common_core_position_js__["a" /* Position */](range.startLineNumber, 1)).lineNumber; } var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); for (var lineNumber = range.startLineNumber; lineNumber <= range.endLineNumber; lineNumber++) { if (lineNumber < rendStartLineNumber || lineNumber > rendEndLineNumber) { continue; } var startColumn = lineNumber === range.startLineNumber ? range.startColumn : 1; var endColumn = lineNumber === range.endLineNumber ? range.endColumn : this._context.model.getLineMaxColumn(lineNumber); var visibleRangesForLine = this._visibleLines.getVisibleLine(lineNumber).getVisibleRangesForRange(startColumn, endColumn, domReadingContext); if (!visibleRangesForLine || visibleRangesForLine.length === 0) { continue; } if (includeNewLines && lineNumber < originalEndLineNumber) { var currentLineModelLineNumber = nextLineModelLineNumber; nextLineModelLineNumber = this._context.model.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_6__common_core_position_js__["a" /* Position */](lineNumber + 1, 1)).lineNumber; if (currentLineModelLineNumber !== nextLineModelLineNumber) { visibleRangesForLine[visibleRangesForLine.length - 1].width += this._typicalHalfwidthCharacterWidth; } } visibleRanges[visibleRangesLen++] = new __WEBPACK_IMPORTED_MODULE_8__common_view_renderingContext_js__["b" /* LineVisibleRanges */](lineNumber, visibleRangesForLine); } if (visibleRangesLen === 0) { return null; } return visibleRanges; }; ViewLines.prototype.visibleRangesForRange2 = function (_range) { if (this.shouldRender()) { // Cannot read from the DOM because it is dirty // i.e. the model & the dom are out of sync, so I'd be reading something stale return null; } var range = __WEBPACK_IMPORTED_MODULE_7__common_core_range_js__["a" /* Range */].intersectRanges(_range, this._lastRenderedData.getCurrentVisibleRange()); if (!range) { return null; } var result = []; var domReadingContext = new __WEBPACK_IMPORTED_MODULE_5__viewLine_js__["a" /* DomReadingContext */](this.domNode.domNode, this._textRangeRestingSpot); var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); for (var lineNumber = range.startLineNumber; lineNumber <= range.endLineNumber; lineNumber++) { if (lineNumber < rendStartLineNumber || lineNumber > rendEndLineNumber) { continue; } var startColumn = lineNumber === range.startLineNumber ? range.startColumn : 1; var endColumn = lineNumber === range.endLineNumber ? range.endColumn : this._context.model.getLineMaxColumn(lineNumber); var visibleRangesForLine = this._visibleLines.getVisibleLine(lineNumber).getVisibleRangesForRange(startColumn, endColumn, domReadingContext); if (!visibleRangesForLine || visibleRangesForLine.length === 0) { continue; } result = result.concat(visibleRangesForLine); } if (result.length === 0) { return null; } return result; }; ViewLines.prototype.visibleRangeForPosition = function (position) { var visibleRanges = this.visibleRangesForRange2(new __WEBPACK_IMPORTED_MODULE_7__common_core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column)); if (!visibleRanges) { return null; } return visibleRanges[0]; }; // --- implementation ViewLines.prototype.updateLineWidths = function () { this._updateLineWidths(false); }; /** * Updates the max line width if it is fast to compute. * Returns true if all lines were taken into account. * Returns false if some lines need to be reevaluated (in a slow fashion). */ ViewLines.prototype._updateLineWidthsFast = function () { return this._updateLineWidths(true); }; ViewLines.prototype._updateLineWidthsSlow = function () { this._updateLineWidths(false); }; ViewLines.prototype._updateLineWidths = function (fast) { var rendStartLineNumber = this._visibleLines.getStartLineNumber(); var rendEndLineNumber = this._visibleLines.getEndLineNumber(); var localMaxLineWidth = 1; var allWidthsComputed = true; for (var lineNumber = rendStartLineNumber; lineNumber <= rendEndLineNumber; lineNumber++) { var visibleLine = this._visibleLines.getVisibleLine(lineNumber); if (fast && !visibleLine.getWidthIsFast()) { // Cannot compute width in a fast way for this line allWidthsComputed = false; continue; } localMaxLineWidth = Math.max(localMaxLineWidth, visibleLine.getWidth()); } if (allWidthsComputed && rendStartLineNumber === 1 && rendEndLineNumber === this._context.model.getLineCount()) { // we know the max line width for all the lines this._maxLineWidth = 0; } this._ensureMaxLineWidth(localMaxLineWidth); return allWidthsComputed; }; ViewLines.prototype.prepareRender = function () { throw new Error('Not supported'); }; ViewLines.prototype.render = function () { throw new Error('Not supported'); }; ViewLines.prototype.renderText = function (viewportData) { // (1) render lines - ensures lines are in the DOM this._visibleLines.renderLines(viewportData); this._lastRenderedData.setCurrentVisibleRange(viewportData.visibleRange); this.domNode.setWidth(this._context.viewLayout.getScrollWidth()); this.domNode.setHeight(Math.min(this._context.viewLayout.getScrollHeight(), 1000000)); // (2) compute horizontal scroll position: // - this must happen after the lines are in the DOM since it might need a line that rendered just now // - it might change `scrollWidth` and `scrollLeft` if (this._horizontalRevealRequest) { var revealLineNumber = this._horizontalRevealRequest.lineNumber; var revealStartColumn = this._horizontalRevealRequest.startColumn; var revealEndColumn = this._horizontalRevealRequest.endColumn; var scrollType = this._horizontalRevealRequest.scrollType; // Check that we have the line that contains the horizontal range in the viewport if (viewportData.startLineNumber <= revealLineNumber && revealLineNumber <= viewportData.endLineNumber) { this._horizontalRevealRequest = null; // allow `visibleRangesForRange2` to work this.onDidRender(); // compute new scroll position var newScrollLeft = this._computeScrollLeftToRevealRange(revealLineNumber, revealStartColumn, revealEndColumn); var isViewportWrapping = this._isViewportWrapping; if (!isViewportWrapping) { // ensure `scrollWidth` is large enough this._ensureMaxLineWidth(newScrollLeft.maxHorizontalOffset); } // set `scrollLeft` if (scrollType === 0 /* Smooth */) { this._context.viewLayout.setScrollPositionSmooth({ scrollLeft: newScrollLeft.scrollLeft }); } else { this._context.viewLayout.setScrollPositionNow({ scrollLeft: newScrollLeft.scrollLeft }); } } } // Update max line width (not so important, it is just so the horizontal scrollbar doesn't get too small) if (!this._updateLineWidthsFast()) { // Computing the width of some lines would be slow => delay it this._asyncUpdateLineWidths.schedule(); } // (3) handle scrolling this._linesContent.setLayerHinting(this._canUseLayerHinting); var adjustedScrollTop = this._context.viewLayout.getCurrentScrollTop() - viewportData.bigNumbersDelta; this._linesContent.setTop(-adjustedScrollTop); this._linesContent.setLeft(-this._context.viewLayout.getCurrentScrollLeft()); }; // --- width ViewLines.prototype._ensureMaxLineWidth = function (lineWidth) { var iLineWidth = Math.ceil(lineWidth); if (this._maxLineWidth < iLineWidth) { this._maxLineWidth = iLineWidth; this._context.viewLayout.onMaxLineWidthChanged(this._maxLineWidth); } }; ViewLines.prototype._computeScrollTopToRevealRange = function (viewport, range, verticalType) { var viewportStartY = viewport.top; var viewportHeight = viewport.height; var viewportEndY = viewportStartY + viewportHeight; var boxStartY; var boxEndY; // Have a box that includes one extra line height (for the horizontal scrollbar) boxStartY = this._context.viewLayout.getVerticalOffsetForLineNumber(range.startLineNumber); boxEndY = this._context.viewLayout.getVerticalOffsetForLineNumber(range.endLineNumber) + this._lineHeight; if (verticalType === 0 /* Simple */ || verticalType === 4 /* Bottom */) { // Reveal one line more when the last line would be covered by the scrollbar - arrow down case or revealing a line explicitly at bottom boxEndY += this._lineHeight; } var newScrollTop; if (verticalType === 1 /* Center */ || verticalType === 2 /* CenterIfOutsideViewport */) { if (verticalType === 2 /* CenterIfOutsideViewport */ && viewportStartY <= boxStartY && boxEndY <= viewportEndY) { // Box is already in the viewport... do nothing newScrollTop = viewportStartY; } else { // Box is outside the viewport... center it var boxMiddleY = (boxStartY + boxEndY) / 2; newScrollTop = Math.max(0, boxMiddleY - viewportHeight / 2); } } else { newScrollTop = this._computeMinimumScrolling(viewportStartY, viewportEndY, boxStartY, boxEndY, verticalType === 3 /* Top */, verticalType === 4 /* Bottom */); } return newScrollTop; }; ViewLines.prototype._computeScrollLeftToRevealRange = function (lineNumber, startColumn, endColumn) { var maxHorizontalOffset = 0; var viewport = this._context.viewLayout.getCurrentViewport(); var viewportStartX = viewport.left; var viewportEndX = viewportStartX + viewport.width; var visibleRanges = this.visibleRangesForRange2(new __WEBPACK_IMPORTED_MODULE_7__common_core_range_js__["a" /* Range */](lineNumber, startColumn, lineNumber, endColumn)); var boxStartX = Number.MAX_VALUE; var boxEndX = 0; if (!visibleRanges) { // Unknown return { scrollLeft: viewportStartX, maxHorizontalOffset: maxHorizontalOffset }; } for (var _i = 0, visibleRanges_1 = visibleRanges; _i < visibleRanges_1.length; _i++) { var visibleRange = visibleRanges_1[_i]; if (visibleRange.left < boxStartX) { boxStartX = visibleRange.left; } if (visibleRange.left + visibleRange.width > boxEndX) { boxEndX = visibleRange.left + visibleRange.width; } } maxHorizontalOffset = boxEndX; boxStartX = Math.max(0, boxStartX - ViewLines.HORIZONTAL_EXTRA_PX); boxEndX += this._revealHorizontalRightPadding; var newScrollLeft = this._computeMinimumScrolling(viewportStartX, viewportEndX, boxStartX, boxEndX); return { scrollLeft: newScrollLeft, maxHorizontalOffset: maxHorizontalOffset }; }; ViewLines.prototype._computeMinimumScrolling = function (viewportStart, viewportEnd, boxStart, boxEnd, revealAtStart, revealAtEnd) { viewportStart = viewportStart | 0; viewportEnd = viewportEnd | 0; boxStart = boxStart | 0; boxEnd = boxEnd | 0; revealAtStart = !!revealAtStart; revealAtEnd = !!revealAtEnd; var viewportLength = viewportEnd - viewportStart; var boxLength = boxEnd - boxStart; if (boxLength < viewportLength) { // The box would fit in the viewport if (revealAtStart) { return boxStart; } if (revealAtEnd) { return Math.max(0, boxEnd - viewportLength); } if (boxStart < viewportStart) { // The box is above the viewport return boxStart; } else if (boxEnd > viewportEnd) { // The box is below the viewport return Math.max(0, boxEnd - viewportLength); } } else { // The box would not fit in the viewport // Reveal the beginning of the box return boxStart; } return viewportStart; }; /** * Adds this amount of pixels to the right of lines (no-one wants to type near the edge of the viewport) */ ViewLines.HORIZONTAL_EXTRA_PX = 30; return ViewLines; }(__WEBPACK_IMPORTED_MODULE_4__view_viewPart_js__["b" /* ViewPart */])); /***/ }), /***/ 1978: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1979); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1979: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor.no-user-select .lines-content,.monaco-editor.no-user-select .view-line,.monaco-editor.no-user-select .view-lines{-webkit-user-select:none;-ms-user-select:none;-moz-user-select:none;-o-user-select:none;user-select:none}.monaco-editor .view-lines{cursor:text;white-space:nowrap}.monaco-editor.hc-black.mac .view-lines,.monaco-editor.vs-dark.mac .view-lines{cursor:-webkit-image-set(url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAQAAAC1+jfqAAAAL0lEQVQoz2NgCD3x//9/BhBYBWdhgFVAiVW4JBFKGIa4AqD0//9D3pt4I4tAdAMAHTQ/j5Zom30AAAAASUVORK5CYII=) 1x,url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAQAAADZc7J/AAAAz0lEQVRIx2NgYGBY/R8I/vx5eelX3n82IJ9FxGf6tksvf/8FiTMQAcAGQMDvSwu09abffY8QYSAScNk45G198eX//yev73/4///701eh//kZSARckrNBRvz//+8+6ZohwCzjGNjdgQxkAg7B9WADeBjIBqtJCbhRA0YNoIkBSNmaPEMoNmA0FkYNoFKhapJ6FGyAH3nauaSmPfwI0v/3OukVi0CIZ+F25KrtYcx/CTIy0e+rC7R1Z4KMICVTQQ14feVXIbR695u14+Ir4gwAAD49E54wc1kWAAAAAElFTkSuQmCC) 2x) 5 8,text}.monaco-editor .view-line{position:absolute;width:100%}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/lines/viewLines.css"],"names":[],"mappings":"AAgBA,gIAGC,yBAA0B,AAC1B,qBAAsB,AACtB,sBAAuB,AACvB,oBAAqB,AACrB,gBAAkB,CAClB,AAED,2BACC,YAAa,AACb,kBAAoB,CACpB,AAED,+EAEC,4kBAAglB,CAChlB,AAED,0BACC,kBAAmB,AACnB,UAAY,CACZ","file":"viewLines.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/* Uncomment to see lines flashing when they're painted */\n/*.monaco-editor .view-lines > .view-line {\n\tbackground-color: none;\n\tanimation-name: flash-background;\n\tanimation-duration: 800ms;\n}\n@keyframes flash-background {\n\t0% { background-color: lightgreen; }\n\t100% { background-color: none }\n}*/\n\n.monaco-editor.no-user-select .lines-content,\n.monaco-editor.no-user-select .view-line,\n.monaco-editor.no-user-select .view-lines {\n\t-webkit-user-select: none;\n\t-ms-user-select: none;\n\t-moz-user-select: none;\n\t-o-user-select: none;\n\tuser-select: none;\n}\n\n.monaco-editor .view-lines {\n\tcursor: text;\n\twhite-space: nowrap;\n}\n\n.monaco-editor.vs-dark.mac .view-lines,\n.monaco-editor.hc-black.mac .view-lines {\n\tcursor: -webkit-image-set(url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAQAAAC1+jfqAAAAL0lEQVQoz2NgCD3x//9/BhBYBWdhgFVAiVW4JBFKGIa4AqD0//9D3pt4I4tAdAMAHTQ/j5Zom30AAAAASUVORK5CYII=) 1x, url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAQAAADZc7J/AAAAz0lEQVRIx2NgYGBY/R8I/vx5eelX3n82IJ9FxGf6tksvf/8FiTMQAcAGQMDvSwu09abffY8QYSAScNk45G198eX//yev73/4///701eh//kZSARckrNBRvz//+8+6ZohwCzjGNjdgQxkAg7B9WADeBjIBqtJCbhRA0YNoIkBSNmaPEMoNmA0FkYNoFKhapJ6FGyAH3nauaSmPfwI0v/3OukVi0CIZ+F25KrtYcx/CTIy0e+rC7R1Z4KMICVTQQ14feVXIbR695u14+Ir4gwAAD49E54wc1kWAAAAAElFTkSuQmCC) 2x) 5 8, text;\n}\n\n.monaco-editor .view-line {\n\tposition: absolute;\n\twidth: 100%;\n}\n\n/* TODO@tokenization bootstrap fix */\n/*.monaco-editor .view-line > span > span {\n\tfloat: none;\n\tmin-height: inherit;\n\tmargin-left: inherit;\n}*/"],"sourceRoot":""}]); // exports /***/ }), /***/ 1980: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LinesDecorationsOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__linesDecorations_css__ = __webpack_require__(1981); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__linesDecorations_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__linesDecorations_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__glyphMargin_glyphMargin_js__ = __webpack_require__(1579); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var LinesDecorationsOverlay = /** @class */ (function (_super) { __extends(LinesDecorationsOverlay, _super); function LinesDecorationsOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._decorationsLeft = _this._context.configuration.editor.layoutInfo.decorationsLeft; _this._decorationsWidth = _this._context.configuration.editor.layoutInfo.decorationsWidth; _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } LinesDecorationsOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers LinesDecorationsOverlay.prototype.onConfigurationChanged = function (e) { if (e.layoutInfo) { this._decorationsLeft = this._context.configuration.editor.layoutInfo.decorationsLeft; this._decorationsWidth = this._context.configuration.editor.layoutInfo.decorationsWidth; } return true; }; LinesDecorationsOverlay.prototype.onDecorationsChanged = function (e) { return true; }; LinesDecorationsOverlay.prototype.onFlushed = function (e) { return true; }; LinesDecorationsOverlay.prototype.onLinesChanged = function (e) { return true; }; LinesDecorationsOverlay.prototype.onLinesDeleted = function (e) { return true; }; LinesDecorationsOverlay.prototype.onLinesInserted = function (e) { return true; }; LinesDecorationsOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; }; LinesDecorationsOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers LinesDecorationsOverlay.prototype._getDecorations = function (ctx) { var decorations = ctx.getDecorationsInViewport(); var r = [], rLen = 0; for (var i = 0, len = decorations.length; i < len; i++) { var d = decorations[i]; var linesDecorationsClassName = d.options.linesDecorationsClassName; if (linesDecorationsClassName) { r[rLen++] = new __WEBPACK_IMPORTED_MODULE_1__glyphMargin_glyphMargin_js__["a" /* DecorationToRender */](d.range.startLineNumber, d.range.endLineNumber, linesDecorationsClassName); } } return r; }; LinesDecorationsOverlay.prototype.prepareRender = function (ctx) { var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; var toRender = this._render(visibleStartLineNumber, visibleEndLineNumber, this._getDecorations(ctx)); var left = this._decorationsLeft.toString(); var width = this._decorationsWidth.toString(); var common = '" style="left:' + left + 'px;width:' + width + 'px;"></div>'; var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; var classNames = toRender[lineIndex]; var lineOutput = ''; for (var i = 0, len = classNames.length; i < len; i++) { lineOutput += '<div class="cldr ' + classNames[i] + common; } output[lineIndex] = lineOutput; } this._renderResult = output; }; LinesDecorationsOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } return this._renderResult[lineNumber - startLineNumber]; }; return LinesDecorationsOverlay; }(__WEBPACK_IMPORTED_MODULE_1__glyphMargin_glyphMargin_js__["b" /* DedupOverlay */])); /***/ }), /***/ 1981: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1982); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1982: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .lines-decorations{position:absolute;top:0;background:#fff}.monaco-editor .margin-view-overlays .cldr{position:absolute;height:100%}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/linesDecorations/linesDecorations.css"],"names":[],"mappings":"AAIA,kCACC,kBAAmB,AACnB,MAAO,AACP,eAAkB,CAClB,AAMD,2CACC,kBAAmB,AACnB,WAAa,CACb","file":"linesDecorations.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n.monaco-editor .lines-decorations {\n\tposition: absolute;\n\ttop: 0;\n\tbackground: white;\n}\n\n/*\n\tKeeping name short for faster parsing.\n\tcldr = core lines decorations rendering (div)\n*/\n.monaco-editor .margin-view-overlays .cldr {\n\tposition: absolute;\n\theight: 100%;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1983: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MarginViewLineDecorationsOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__marginDecorations_css__ = __webpack_require__(1984); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__marginDecorations_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__marginDecorations_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__glyphMargin_glyphMargin_js__ = __webpack_require__(1579); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var MarginViewLineDecorationsOverlay = /** @class */ (function (_super) { __extends(MarginViewLineDecorationsOverlay, _super); function MarginViewLineDecorationsOverlay(context) { var _this = _super.call(this) || this; _this._context = context; _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } MarginViewLineDecorationsOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers MarginViewLineDecorationsOverlay.prototype.onConfigurationChanged = function (e) { return true; }; MarginViewLineDecorationsOverlay.prototype.onDecorationsChanged = function (e) { return true; }; MarginViewLineDecorationsOverlay.prototype.onFlushed = function (e) { return true; }; MarginViewLineDecorationsOverlay.prototype.onLinesChanged = function (e) { return true; }; MarginViewLineDecorationsOverlay.prototype.onLinesDeleted = function (e) { return true; }; MarginViewLineDecorationsOverlay.prototype.onLinesInserted = function (e) { return true; }; MarginViewLineDecorationsOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; }; MarginViewLineDecorationsOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers MarginViewLineDecorationsOverlay.prototype._getDecorations = function (ctx) { var decorations = ctx.getDecorationsInViewport(); var r = [], rLen = 0; for (var i = 0, len = decorations.length; i < len; i++) { var d = decorations[i]; var marginClassName = d.options.marginClassName; if (marginClassName) { r[rLen++] = new __WEBPACK_IMPORTED_MODULE_1__glyphMargin_glyphMargin_js__["a" /* DecorationToRender */](d.range.startLineNumber, d.range.endLineNumber, marginClassName); } } return r; }; MarginViewLineDecorationsOverlay.prototype.prepareRender = function (ctx) { var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; var toRender = this._render(visibleStartLineNumber, visibleEndLineNumber, this._getDecorations(ctx)); var output = []; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; var classNames = toRender[lineIndex]; var lineOutput = ''; for (var i = 0, len = classNames.length; i < len; i++) { lineOutput += '<div class="cmdr ' + classNames[i] + '" style=""></div>'; } output[lineIndex] = lineOutput; } this._renderResult = output; }; MarginViewLineDecorationsOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } return this._renderResult[lineNumber - startLineNumber]; }; return MarginViewLineDecorationsOverlay; }(__WEBPACK_IMPORTED_MODULE_1__glyphMargin_glyphMargin_js__["b" /* DedupOverlay */])); /***/ }), /***/ 1984: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1985); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1985: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .margin-view-overlays .cmdr{position:absolute;left:0;width:100%;height:100%}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/marginDecorations/marginDecorations.css"],"names":[],"mappings":"AASA,2CACC,kBAAmB,AACnB,OAAQ,AACR,WAAY,AACZ,WAAa,CACb","file":"marginDecorations.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/*\n\tKeeping name short for faster parsing.\n\tcmdr = core margin decorations rendering (div)\n*/\n.monaco-editor .margin-view-overlays .cmdr {\n\tposition: absolute;\n\tleft: 0;\n\twidth: 100%;\n\theight: 100%;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1986: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Minimap; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__minimap_css__ = __webpack_require__(1987); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__minimap_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__minimap_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_browser_globalMouseMoveMonitor_js__ = __webpack_require__(1449); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__view_viewLayer_js__ = __webpack_require__(1576); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_view_minimapCharRenderer_js__ = __webpack_require__(1580); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_view_runtimeMinimapCharRenderer_js__ = __webpack_require__(1990); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_view_viewEvents_js__ = __webpack_require__(1359); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function getMinimapLineHeight(renderMinimap) { if (renderMinimap === 2 /* Large */) { return 4 /* x2_CHAR_HEIGHT */; } if (renderMinimap === 4 /* LargeBlocks */) { return 4 /* x2_CHAR_HEIGHT */ + 2; } if (renderMinimap === 1 /* Small */) { return 2 /* x1_CHAR_HEIGHT */; } // RenderMinimap.SmallBlocks return 2 /* x1_CHAR_HEIGHT */ + 1; } function getMinimapCharWidth(renderMinimap) { if (renderMinimap === 2 /* Large */) { return 2 /* x2_CHAR_WIDTH */; } if (renderMinimap === 4 /* LargeBlocks */) { return 2 /* x2_CHAR_WIDTH */; } if (renderMinimap === 1 /* Small */) { return 1 /* x1_CHAR_WIDTH */; } // RenderMinimap.SmallBlocks return 1 /* x1_CHAR_WIDTH */; } /** * The orthogonal distance to the slider at which dragging "resets". This implements "snapping" */ var MOUSE_DRAG_RESET_DISTANCE = 140; var MinimapOptions = /** @class */ (function () { function MinimapOptions(configuration) { var pixelRatio = configuration.editor.pixelRatio; var layoutInfo = configuration.editor.layoutInfo; var viewInfo = configuration.editor.viewInfo; var fontInfo = configuration.editor.fontInfo; this.renderMinimap = layoutInfo.renderMinimap | 0; this.scrollBeyondLastLine = viewInfo.scrollBeyondLastLine; this.showSlider = viewInfo.minimap.showSlider; this.pixelRatio = pixelRatio; this.typicalHalfwidthCharacterWidth = fontInfo.typicalHalfwidthCharacterWidth; this.lineHeight = configuration.editor.lineHeight; this.minimapLeft = layoutInfo.minimapLeft; this.minimapWidth = layoutInfo.minimapWidth; this.minimapHeight = layoutInfo.height; this.canvasInnerWidth = Math.max(1, Math.floor(pixelRatio * this.minimapWidth)); this.canvasInnerHeight = Math.max(1, Math.floor(pixelRatio * this.minimapHeight)); this.canvasOuterWidth = this.canvasInnerWidth / pixelRatio; this.canvasOuterHeight = this.canvasInnerHeight / pixelRatio; } MinimapOptions.prototype.equals = function (other) { return (this.renderMinimap === other.renderMinimap && this.scrollBeyondLastLine === other.scrollBeyondLastLine && this.showSlider === other.showSlider && this.pixelRatio === other.pixelRatio && this.typicalHalfwidthCharacterWidth === other.typicalHalfwidthCharacterWidth && this.lineHeight === other.lineHeight && this.minimapLeft === other.minimapLeft && this.minimapWidth === other.minimapWidth && this.minimapHeight === other.minimapHeight && this.canvasInnerWidth === other.canvasInnerWidth && this.canvasInnerHeight === other.canvasInnerHeight && this.canvasOuterWidth === other.canvasOuterWidth && this.canvasOuterHeight === other.canvasOuterHeight); }; return MinimapOptions; }()); var MinimapLayout = /** @class */ (function () { function MinimapLayout(scrollTop, scrollHeight, computedSliderRatio, sliderTop, sliderHeight, startLineNumber, endLineNumber) { this.scrollTop = scrollTop; this.scrollHeight = scrollHeight; this._computedSliderRatio = computedSliderRatio; this.sliderTop = sliderTop; this.sliderHeight = sliderHeight; this.startLineNumber = startLineNumber; this.endLineNumber = endLineNumber; } /** * Compute a desired `scrollPosition` such that the slider moves by `delta`. */ MinimapLayout.prototype.getDesiredScrollTopFromDelta = function (delta) { var desiredSliderPosition = this.sliderTop + delta; return Math.round(desiredSliderPosition / this._computedSliderRatio); }; MinimapLayout.create = function (options, viewportStartLineNumber, viewportEndLineNumber, viewportHeight, viewportContainsWhitespaceGaps, lineCount, scrollTop, scrollHeight, previousLayout) { var pixelRatio = options.pixelRatio; var minimapLineHeight = getMinimapLineHeight(options.renderMinimap); var minimapLinesFitting = Math.floor(options.canvasInnerHeight / minimapLineHeight); var lineHeight = options.lineHeight; // The visible line count in a viewport can change due to a number of reasons: // a) with the same viewport width, different scroll positions can result in partial lines being visible: // e.g. for a line height of 20, and a viewport height of 600 // * scrollTop = 0 => visible lines are [1, 30] // * scrollTop = 10 => visible lines are [1, 31] (with lines 1 and 31 partially visible) // * scrollTop = 20 => visible lines are [2, 31] // b) whitespace gaps might make their way in the viewport (which results in a decrease in the visible line count) // c) we could be in the scroll beyond last line case (which also results in a decrease in the visible line count, down to possibly only one line being visible) // We must first establish a desirable slider height. var sliderHeight; if (viewportContainsWhitespaceGaps && viewportEndLineNumber !== lineCount) { // case b) from above: there are whitespace gaps in the viewport. // In this case, the height of the slider directly reflects the visible line count. var viewportLineCount = viewportEndLineNumber - viewportStartLineNumber + 1; sliderHeight = Math.floor(viewportLineCount * minimapLineHeight / pixelRatio); } else { // The slider has a stable height var expectedViewportLineCount = viewportHeight / lineHeight; sliderHeight = Math.floor(expectedViewportLineCount * minimapLineHeight / pixelRatio); } var maxMinimapSliderTop; if (options.scrollBeyondLastLine) { // The minimap slider, when dragged all the way down, will contain the last line at its top maxMinimapSliderTop = (lineCount - 1) * minimapLineHeight / pixelRatio; } else { // The minimap slider, when dragged all the way down, will contain the last line at its bottom maxMinimapSliderTop = Math.max(0, lineCount * minimapLineHeight / pixelRatio - sliderHeight); } maxMinimapSliderTop = Math.min(options.minimapHeight - sliderHeight, maxMinimapSliderTop); // The slider can move from 0 to `maxMinimapSliderTop` // in the same way `scrollTop` can move from 0 to `scrollHeight` - `viewportHeight`. var computedSliderRatio = (maxMinimapSliderTop) / (scrollHeight - viewportHeight); var sliderTop = (scrollTop * computedSliderRatio); if (minimapLinesFitting >= lineCount) { // All lines fit in the minimap var startLineNumber = 1; var endLineNumber = lineCount; return new MinimapLayout(scrollTop, scrollHeight, computedSliderRatio, sliderTop, sliderHeight, startLineNumber, endLineNumber); } else { var startLineNumber = Math.max(1, Math.floor(viewportStartLineNumber - sliderTop * pixelRatio / minimapLineHeight)); // Avoid flickering caused by a partial viewport start line // by being consistent w.r.t. the previous layout decision if (previousLayout && previousLayout.scrollHeight === scrollHeight) { if (previousLayout.scrollTop > scrollTop) { // Scrolling up => never increase `startLineNumber` startLineNumber = Math.min(startLineNumber, previousLayout.startLineNumber); } if (previousLayout.scrollTop < scrollTop) { // Scrolling down => never decrease `startLineNumber` startLineNumber = Math.max(startLineNumber, previousLayout.startLineNumber); } } var endLineNumber = Math.min(lineCount, startLineNumber + minimapLinesFitting - 1); return new MinimapLayout(scrollTop, scrollHeight, computedSliderRatio, sliderTop, sliderHeight, startLineNumber, endLineNumber); } }; return MinimapLayout; }()); var MinimapLine = /** @class */ (function () { function MinimapLine(dy) { this.dy = dy; } MinimapLine.prototype.onContentChanged = function () { this.dy = -1; }; MinimapLine.prototype.onTokensChanged = function () { this.dy = -1; }; MinimapLine.INVALID = new MinimapLine(-1); return MinimapLine; }()); var RenderData = /** @class */ (function () { function RenderData(renderedLayout, imageData, lines) { this.renderedLayout = renderedLayout; this._imageData = imageData; this._renderedLines = new __WEBPACK_IMPORTED_MODULE_6__view_viewLayer_js__["a" /* RenderedLinesCollection */](function () { return MinimapLine.INVALID; }); this._renderedLines._set(renderedLayout.startLineNumber, lines); } /** * Check if the current RenderData matches accurately the new desired layout and no painting is needed. */ RenderData.prototype.linesEquals = function (layout) { if (this.renderedLayout.startLineNumber !== layout.startLineNumber) { return false; } if (this.renderedLayout.endLineNumber !== layout.endLineNumber) { return false; } var tmp = this._renderedLines._get(); var lines = tmp.lines; for (var i = 0, len = lines.length; i < len; i++) { if (lines[i].dy === -1) { // This line is invalid return false; } } return true; }; RenderData.prototype._get = function () { var tmp = this._renderedLines._get(); return { imageData: this._imageData, rendLineNumberStart: tmp.rendLineNumberStart, lines: tmp.lines }; }; RenderData.prototype.onLinesChanged = function (e) { return this._renderedLines.onLinesChanged(e.fromLineNumber, e.toLineNumber); }; RenderData.prototype.onLinesDeleted = function (e) { this._renderedLines.onLinesDeleted(e.fromLineNumber, e.toLineNumber); }; RenderData.prototype.onLinesInserted = function (e) { this._renderedLines.onLinesInserted(e.fromLineNumber, e.toLineNumber); }; RenderData.prototype.onTokensChanged = function (e) { return this._renderedLines.onTokensChanged(e.ranges); }; return RenderData; }()); /** * Some sort of double buffering. * * Keeps two buffers around that will be rotated for painting. * Always gives a buffer that is filled with the background color. */ var MinimapBuffers = /** @class */ (function () { function MinimapBuffers(ctx, WIDTH, HEIGHT, background) { this._backgroundFillData = MinimapBuffers._createBackgroundFillData(WIDTH, HEIGHT, background); this._buffers = [ ctx.createImageData(WIDTH, HEIGHT), ctx.createImageData(WIDTH, HEIGHT) ]; this._lastUsedBuffer = 0; } MinimapBuffers.prototype.getBuffer = function () { // rotate buffers this._lastUsedBuffer = 1 - this._lastUsedBuffer; var result = this._buffers[this._lastUsedBuffer]; // fill with background color result.data.set(this._backgroundFillData); return result; }; MinimapBuffers._createBackgroundFillData = function (WIDTH, HEIGHT, background) { var backgroundR = background.r; var backgroundG = background.g; var backgroundB = background.b; var result = new Uint8ClampedArray(WIDTH * HEIGHT * 4); var offset = 0; for (var i = 0; i < HEIGHT; i++) { for (var j = 0; j < WIDTH; j++) { result[offset] = backgroundR; result[offset + 1] = backgroundG; result[offset + 2] = backgroundB; result[offset + 3] = 255; offset += 4; } } return result; }; return MinimapBuffers; }()); var Minimap = /** @class */ (function (_super) { __extends(Minimap, _super); function Minimap(context) { var _this = _super.call(this, context) || this; _this._options = new MinimapOptions(_this._context.configuration); _this._lastRenderData = null; _this._buffers = null; _this._domNode = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); __WEBPACK_IMPORTED_MODULE_7__view_viewPart_js__["a" /* PartFingerprints */].write(_this._domNode, 8 /* Minimap */); _this._domNode.setClassName(_this._getMinimapDomNodeClassName()); _this._domNode.setPosition('absolute'); _this._domNode.setAttribute('role', 'presentation'); _this._domNode.setAttribute('aria-hidden', 'true'); _this._shadow = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._shadow.setClassName('minimap-shadow-hidden'); _this._domNode.appendChild(_this._shadow); _this._canvas = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('canvas')); _this._canvas.setPosition('absolute'); _this._canvas.setLeft(0); _this._domNode.appendChild(_this._canvas); _this._slider = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._slider.setPosition('absolute'); _this._slider.setClassName('minimap-slider'); _this._slider.setLayerHinting(true); _this._domNode.appendChild(_this._slider); _this._sliderHorizontal = Object(__WEBPACK_IMPORTED_MODULE_2__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._sliderHorizontal.setPosition('absolute'); _this._sliderHorizontal.setClassName('minimap-slider-horizontal'); _this._slider.appendChild(_this._sliderHorizontal); _this._tokensColorTracker = __WEBPACK_IMPORTED_MODULE_9__common_view_minimapCharRenderer_js__["b" /* MinimapTokensColorTracker */].getInstance(); _this._applyLayout(); _this._mouseDownListener = __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["j" /* addStandardDisposableListener */](_this._canvas.domNode, 'mousedown', function (e) { e.preventDefault(); var renderMinimap = _this._options.renderMinimap; if (renderMinimap === 0 /* None */) { return; } if (!_this._lastRenderData) { return; } var minimapLineHeight = getMinimapLineHeight(renderMinimap); var internalOffsetY = _this._options.pixelRatio * e.browserEvent.offsetY; var lineIndex = Math.floor(internalOffsetY / minimapLineHeight); var lineNumber = lineIndex + _this._lastRenderData.renderedLayout.startLineNumber; lineNumber = Math.min(lineNumber, _this._context.model.getLineCount()); _this._context.privateViewEventBus.emit(new __WEBPACK_IMPORTED_MODULE_11__common_view_viewEvents_js__["l" /* ViewRevealRangeRequestEvent */](new __WEBPACK_IMPORTED_MODULE_8__common_core_range_js__["a" /* Range */](lineNumber, 1, lineNumber, 1), 1 /* Center */, false, 0 /* Smooth */)); }); _this._sliderMouseMoveMonitor = new __WEBPACK_IMPORTED_MODULE_3__base_browser_globalMouseMoveMonitor_js__["a" /* GlobalMouseMoveMonitor */](); _this._sliderMouseDownListener = __WEBPACK_IMPORTED_MODULE_1__base_browser_dom_js__["j" /* addStandardDisposableListener */](_this._slider.domNode, 'mousedown', function (e) { e.preventDefault(); if (e.leftButton && _this._lastRenderData) { var initialMousePosition_1 = e.posy; var initialMouseOrthogonalPosition_1 = e.posx; var initialSliderState_1 = _this._lastRenderData.renderedLayout; _this._slider.toggleClassName('active', true); _this._sliderMouseMoveMonitor.startMonitoring(__WEBPACK_IMPORTED_MODULE_3__base_browser_globalMouseMoveMonitor_js__["b" /* standardMouseMoveMerger */], function (mouseMoveData) { var mouseOrthogonalDelta = Math.abs(mouseMoveData.posx - initialMouseOrthogonalPosition_1); if (__WEBPACK_IMPORTED_MODULE_4__base_common_platform_js__["g" /* isWindows */] && mouseOrthogonalDelta > MOUSE_DRAG_RESET_DISTANCE) { // The mouse has wondered away from the scrollbar => reset dragging _this._context.viewLayout.setScrollPositionNow({ scrollTop: initialSliderState_1.scrollTop }); return; } var mouseDelta = mouseMoveData.posy - initialMousePosition_1; _this._context.viewLayout.setScrollPositionNow({ scrollTop: initialSliderState_1.getDesiredScrollTopFromDelta(mouseDelta) }); }, function () { _this._slider.toggleClassName('active', false); }); } }); return _this; } Minimap.prototype.dispose = function () { this._mouseDownListener.dispose(); this._sliderMouseMoveMonitor.dispose(); this._sliderMouseDownListener.dispose(); _super.prototype.dispose.call(this); }; Minimap.prototype._getMinimapDomNodeClassName = function () { if (this._options.showSlider === 'always') { return 'minimap slider-always'; } return 'minimap slider-mouseover'; }; Minimap.prototype.getDomNode = function () { return this._domNode; }; Minimap.prototype._applyLayout = function () { this._domNode.setLeft(this._options.minimapLeft); this._domNode.setWidth(this._options.minimapWidth); this._domNode.setHeight(this._options.minimapHeight); this._shadow.setHeight(this._options.minimapHeight); this._canvas.setWidth(this._options.canvasOuterWidth); this._canvas.setHeight(this._options.canvasOuterHeight); this._canvas.domNode.width = this._options.canvasInnerWidth; this._canvas.domNode.height = this._options.canvasInnerHeight; this._slider.setWidth(this._options.minimapWidth); }; Minimap.prototype._getBuffer = function () { if (!this._buffers) { this._buffers = new MinimapBuffers(this._canvas.domNode.getContext('2d'), this._options.canvasInnerWidth, this._options.canvasInnerHeight, this._tokensColorTracker.getColor(2 /* DefaultBackground */)); } return this._buffers.getBuffer(); }; Minimap.prototype._onOptionsMaybeChanged = function () { var opts = new MinimapOptions(this._context.configuration); if (this._options.equals(opts)) { return false; } this._options = opts; this._lastRenderData = null; this._buffers = null; this._applyLayout(); this._domNode.setClassName(this._getMinimapDomNodeClassName()); return true; }; // ---- begin view event handlers Minimap.prototype.onConfigurationChanged = function (e) { return this._onOptionsMaybeChanged(); }; Minimap.prototype.onFlushed = function (e) { this._lastRenderData = null; return true; }; Minimap.prototype.onLinesChanged = function (e) { if (this._lastRenderData) { return this._lastRenderData.onLinesChanged(e); } return false; }; Minimap.prototype.onLinesDeleted = function (e) { if (this._lastRenderData) { this._lastRenderData.onLinesDeleted(e); } return true; }; Minimap.prototype.onLinesInserted = function (e) { if (this._lastRenderData) { this._lastRenderData.onLinesInserted(e); } return true; }; Minimap.prototype.onScrollChanged = function (e) { return true; }; Minimap.prototype.onTokensChanged = function (e) { if (this._lastRenderData) { return this._lastRenderData.onTokensChanged(e); } return false; }; Minimap.prototype.onTokensColorsChanged = function (e) { this._lastRenderData = null; this._buffers = null; return true; }; Minimap.prototype.onZonesChanged = function (e) { this._lastRenderData = null; return true; }; // --- end event handlers Minimap.prototype.prepareRender = function (ctx) { // Nothing to read }; Minimap.prototype.render = function (renderingCtx) { var renderMinimap = this._options.renderMinimap; if (renderMinimap === 0 /* None */) { this._shadow.setClassName('minimap-shadow-hidden'); this._sliderHorizontal.setWidth(0); this._sliderHorizontal.setHeight(0); return; } if (renderingCtx.scrollLeft + renderingCtx.viewportWidth >= renderingCtx.scrollWidth) { this._shadow.setClassName('minimap-shadow-hidden'); } else { this._shadow.setClassName('minimap-shadow-visible'); } var layout = MinimapLayout.create(this._options, renderingCtx.visibleRange.startLineNumber, renderingCtx.visibleRange.endLineNumber, renderingCtx.viewportHeight, (renderingCtx.viewportData.whitespaceViewportData.length > 0), this._context.model.getLineCount(), renderingCtx.scrollTop, renderingCtx.scrollHeight, this._lastRenderData ? this._lastRenderData.renderedLayout : null); this._slider.setTop(layout.sliderTop); this._slider.setHeight(layout.sliderHeight); // Compute horizontal slider coordinates var scrollLeftChars = renderingCtx.scrollLeft / this._options.typicalHalfwidthCharacterWidth; var horizontalSliderLeft = Math.min(this._options.minimapWidth, Math.round(scrollLeftChars * getMinimapCharWidth(this._options.renderMinimap) / this._options.pixelRatio)); this._sliderHorizontal.setLeft(horizontalSliderLeft); this._sliderHorizontal.setWidth(this._options.minimapWidth - horizontalSliderLeft); this._sliderHorizontal.setTop(0); this._sliderHorizontal.setHeight(layout.sliderHeight); this._lastRenderData = this.renderLines(layout); }; Minimap.prototype.renderLines = function (layout) { var renderMinimap = this._options.renderMinimap; var startLineNumber = layout.startLineNumber; var endLineNumber = layout.endLineNumber; var minimapLineHeight = getMinimapLineHeight(renderMinimap); // Check if nothing changed w.r.t. lines from last frame if (this._lastRenderData && this._lastRenderData.linesEquals(layout)) { var _lastData = this._lastRenderData._get(); // Nice!! Nothing changed from last frame return new RenderData(layout, _lastData.imageData, _lastData.lines); } // Oh well!! We need to repaint some lines... var imageData = this._getBuffer(); // Render untouched lines by using last rendered data. var _a = Minimap._renderUntouchedLines(imageData, startLineNumber, endLineNumber, minimapLineHeight, this._lastRenderData), _dirtyY1 = _a[0], _dirtyY2 = _a[1], needed = _a[2]; // Fetch rendering info from view model for rest of lines that need rendering. var lineInfo = this._context.model.getMinimapLinesRenderingData(startLineNumber, endLineNumber, needed); var tabSize = lineInfo.tabSize; var background = this._tokensColorTracker.getColor(2 /* DefaultBackground */); var useLighterFont = this._tokensColorTracker.backgroundIsLight(); // Render the rest of lines var dy = 0; var renderedLines = []; for (var lineIndex = 0, lineCount = endLineNumber - startLineNumber + 1; lineIndex < lineCount; lineIndex++) { if (needed[lineIndex]) { Minimap._renderLine(imageData, background, useLighterFont, renderMinimap, this._tokensColorTracker, Object(__WEBPACK_IMPORTED_MODULE_10__common_view_runtimeMinimapCharRenderer_js__["a" /* getOrCreateMinimapCharRenderer */])(), dy, tabSize, lineInfo.data[lineIndex]); } renderedLines[lineIndex] = new MinimapLine(dy); dy += minimapLineHeight; } var dirtyY1 = (_dirtyY1 === -1 ? 0 : _dirtyY1); var dirtyY2 = (_dirtyY2 === -1 ? imageData.height : _dirtyY2); var dirtyHeight = dirtyY2 - dirtyY1; // Finally, paint to the canvas var ctx = this._canvas.domNode.getContext('2d'); ctx.putImageData(imageData, 0, 0, 0, dirtyY1, imageData.width, dirtyHeight); // Save rendered data for reuse on next frame if possible return new RenderData(layout, imageData, renderedLines); }; Minimap._renderUntouchedLines = function (target, startLineNumber, endLineNumber, minimapLineHeight, lastRenderData) { var needed = []; if (!lastRenderData) { for (var i = 0, len = endLineNumber - startLineNumber + 1; i < len; i++) { needed[i] = true; } return [-1, -1, needed]; } var _lastData = lastRenderData._get(); var lastTargetData = _lastData.imageData.data; var lastStartLineNumber = _lastData.rendLineNumberStart; var lastLines = _lastData.lines; var lastLinesLength = lastLines.length; var WIDTH = target.width; var targetData = target.data; var maxDestPixel = (endLineNumber - startLineNumber + 1) * minimapLineHeight * WIDTH * 4; var dirtyPixel1 = -1; // the pixel offset up to which all the data is equal to the prev frame var dirtyPixel2 = -1; // the pixel offset after which all the data is equal to the prev frame var copySourceStart = -1; var copySourceEnd = -1; var copyDestStart = -1; var copyDestEnd = -1; var dest_dy = 0; for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var lineIndex = lineNumber - startLineNumber; var lastLineIndex = lineNumber - lastStartLineNumber; var source_dy = (lastLineIndex >= 0 && lastLineIndex < lastLinesLength ? lastLines[lastLineIndex].dy : -1); if (source_dy === -1) { needed[lineIndex] = true; dest_dy += minimapLineHeight; continue; } var sourceStart = source_dy * WIDTH * 4; var sourceEnd = (source_dy + minimapLineHeight) * WIDTH * 4; var destStart = dest_dy * WIDTH * 4; var destEnd = (dest_dy + minimapLineHeight) * WIDTH * 4; if (copySourceEnd === sourceStart && copyDestEnd === destStart) { // contiguous zone => extend copy request copySourceEnd = sourceEnd; copyDestEnd = destEnd; } else { if (copySourceStart !== -1) { // flush existing copy request targetData.set(lastTargetData.subarray(copySourceStart, copySourceEnd), copyDestStart); if (dirtyPixel1 === -1 && copySourceStart === 0 && copySourceStart === copyDestStart) { dirtyPixel1 = copySourceEnd; } if (dirtyPixel2 === -1 && copySourceEnd === maxDestPixel && copySourceStart === copyDestStart) { dirtyPixel2 = copySourceStart; } } copySourceStart = sourceStart; copySourceEnd = sourceEnd; copyDestStart = destStart; copyDestEnd = destEnd; } needed[lineIndex] = false; dest_dy += minimapLineHeight; } if (copySourceStart !== -1) { // flush existing copy request targetData.set(lastTargetData.subarray(copySourceStart, copySourceEnd), copyDestStart); if (dirtyPixel1 === -1 && copySourceStart === 0 && copySourceStart === copyDestStart) { dirtyPixel1 = copySourceEnd; } if (dirtyPixel2 === -1 && copySourceEnd === maxDestPixel && copySourceStart === copyDestStart) { dirtyPixel2 = copySourceStart; } } var dirtyY1 = (dirtyPixel1 === -1 ? -1 : dirtyPixel1 / (WIDTH * 4)); var dirtyY2 = (dirtyPixel2 === -1 ? -1 : dirtyPixel2 / (WIDTH * 4)); return [dirtyY1, dirtyY2, needed]; }; Minimap._renderLine = function (target, backgroundColor, useLighterFont, renderMinimap, colorTracker, minimapCharRenderer, dy, tabSize, lineData) { var content = lineData.content; var tokens = lineData.tokens; var charWidth = getMinimapCharWidth(renderMinimap); var maxDx = target.width - charWidth; var dx = 0; var charIndex = 0; var tabsCharDelta = 0; for (var tokenIndex = 0, tokensLen = tokens.getCount(); tokenIndex < tokensLen; tokenIndex++) { var tokenEndIndex = tokens.getEndOffset(tokenIndex); var tokenColorId = tokens.getForeground(tokenIndex); var tokenColor = colorTracker.getColor(tokenColorId); for (; charIndex < tokenEndIndex; charIndex++) { if (dx > maxDx) { // hit edge of minimap return; } var charCode = content.charCodeAt(charIndex); if (charCode === 9 /* Tab */) { var insertSpacesCount = tabSize - (charIndex + tabsCharDelta) % tabSize; tabsCharDelta += insertSpacesCount - 1; // No need to render anything since tab is invisible dx += insertSpacesCount * charWidth; } else if (charCode === 32 /* Space */) { // No need to render anything since space is invisible dx += charWidth; } else { // Render twice for a full width character var count = __WEBPACK_IMPORTED_MODULE_5__base_common_strings_js__["s" /* isFullWidthCharacter */](charCode) ? 2 : 1; for (var i = 0; i < count; i++) { if (renderMinimap === 2 /* Large */) { minimapCharRenderer.x2RenderChar(target, dx, dy, charCode, tokenColor, backgroundColor, useLighterFont); } else if (renderMinimap === 1 /* Small */) { minimapCharRenderer.x1RenderChar(target, dx, dy, charCode, tokenColor, backgroundColor, useLighterFont); } else if (renderMinimap === 4 /* LargeBlocks */) { minimapCharRenderer.x2BlockRenderChar(target, dx, dy, tokenColor, backgroundColor, useLighterFont); } else { // RenderMinimap.SmallBlocks minimapCharRenderer.x1BlockRenderChar(target, dx, dy, tokenColor, backgroundColor, useLighterFont); } dx += charWidth; if (dx > maxDx) { // hit edge of minimap return; } } } } } }; return Minimap; }(__WEBPACK_IMPORTED_MODULE_7__view_viewPart_js__["b" /* ViewPart */])); Object(__WEBPACK_IMPORTED_MODULE_13__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var sliderBackground = theme.getColor(__WEBPACK_IMPORTED_MODULE_12__platform_theme_common_colorRegistry_js__["_6" /* scrollbarSliderBackground */]); if (sliderBackground) { var halfSliderBackground = sliderBackground.transparent(0.5); collector.addRule(".monaco-editor .minimap-slider, .monaco-editor .minimap-slider .minimap-slider-horizontal { background: " + halfSliderBackground + "; }"); } var sliderHoverBackground = theme.getColor(__WEBPACK_IMPORTED_MODULE_12__platform_theme_common_colorRegistry_js__["_7" /* scrollbarSliderHoverBackground */]); if (sliderHoverBackground) { var halfSliderHoverBackground = sliderHoverBackground.transparent(0.5); collector.addRule(".monaco-editor .minimap-slider:hover, .monaco-editor .minimap-slider:hover .minimap-slider-horizontal { background: " + halfSliderHoverBackground + "; }"); } var sliderActiveBackground = theme.getColor(__WEBPACK_IMPORTED_MODULE_12__platform_theme_common_colorRegistry_js__["_5" /* scrollbarSliderActiveBackground */]); if (sliderActiveBackground) { var halfSliderActiveBackground = sliderActiveBackground.transparent(0.5); collector.addRule(".monaco-editor .minimap-slider.active, .monaco-editor .minimap-slider.active .minimap-slider-horizontal { background: " + halfSliderActiveBackground + "; }"); } var shadow = theme.getColor(__WEBPACK_IMPORTED_MODULE_12__platform_theme_common_colorRegistry_js__["_4" /* scrollbarShadow */]); if (shadow) { collector.addRule(".monaco-editor .minimap-shadow-visible { box-shadow: " + shadow + " -6px 0 6px -6px inset; }"); } }); /***/ }), /***/ 1987: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1988); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1988: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .minimap.slider-mouseover .minimap-slider{opacity:0;-webkit-transition:opacity .1s linear;-o-transition:opacity .1s linear;transition:opacity .1s linear}.monaco-editor .minimap.slider-mouseover .minimap-slider.active,.monaco-editor .minimap.slider-mouseover:hover .minimap-slider{opacity:1}.monaco-editor .minimap-shadow-hidden{position:absolute;width:0}.monaco-editor .minimap-shadow-visible{position:absolute;left:-6px;width:6px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/minimap/minimap.css"],"names":[],"mappings":"AAMA,yDACC,UAAW,AACX,sCAAyC,AACzC,iCAAoC,AACpC,6BAAiC,CACjC,AAID,+HACC,SAAW,CACX,AAGD,sCACC,kBAAmB,AACnB,OAAS,CACT,AACD,uCACC,kBAAmB,AACnB,UAAW,AACX,SAAW,CACX","file":"minimap.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/* START cover the case that slider is visible on mouseover */\n.monaco-editor .minimap.slider-mouseover .minimap-slider {\n\topacity: 0;\n\t-webkit-transition: opacity 100ms linear;\n\t-o-transition: opacity 100ms linear;\n\ttransition: opacity 100ms linear;\n}\n.monaco-editor .minimap.slider-mouseover:hover .minimap-slider {\n\topacity: 1;\n}\n.monaco-editor .minimap.slider-mouseover .minimap-slider.active {\n\topacity: 1;\n}\n/* END cover the case that slider is visible on mouseover */\n\n.monaco-editor .minimap-shadow-hidden {\n\tposition: absolute;\n\twidth: 0;\n}\n.monaco-editor .minimap-shadow-visible {\n\tposition: absolute;\n\tleft: -6px;\n\twidth: 6px;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 1989: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return RGBA8; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A very VM friendly rgba datastructure. * Please don't touch unless you take a look at the IR. */ var RGBA8 = /** @class */ (function () { function RGBA8(r, g, b, a) { this.r = RGBA8._clamp(r); this.g = RGBA8._clamp(g); this.b = RGBA8._clamp(b); this.a = RGBA8._clamp(a); } RGBA8._clamp = function (c) { if (c < 0) { return 0; } if (c > 255) { return 255; } return c | 0; }; RGBA8.Empty = new RGBA8(0, 0, 0, 0); return RGBA8; }()); /***/ }), /***/ 1990: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = getOrCreateMinimapCharRenderer; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__minimapCharRenderer_js__ = __webpack_require__(1580); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function toUint8ClampedArrat(arr) { var r = new Uint8ClampedArray(arr.length); for (var i = 0, len = arr.length; i < len; i++) { r[i] = arr[i]; } return r; } var minimapCharRenderer = null; function getOrCreateMinimapCharRenderer() { if (!minimapCharRenderer) { var _x1Data = toUint8ClampedArrat(x1Data); x1Data = null; var _x2Data = toUint8ClampedArrat(x2Data); x2Data = null; minimapCharRenderer = new __WEBPACK_IMPORTED_MODULE_0__minimapCharRenderer_js__["a" /* MinimapCharRenderer */](_x2Data, _x1Data); } return minimapCharRenderer; } var x2Data = [ // 0, 0, 0, 0, 0, 0, 0, 0, // ! 39, 14, 39, 14, 14, 5, 29, 10, // " 96, 96, 29, 29, 0, 0, 0, 0, // # 49, 113, 195, 214, 227, 166, 135, 42, // $ 40, 29, 194, 38, 75, 148, 197, 187, // % 145, 0, 160, 61, 75, 143, 2, 183, // & 138, 58, 163, 6, 177, 223, 197, 227, // ' 38, 13, 11, 4, 0, 0, 0, 0, // ( 10, 54, 52, 8, 62, 4, 71, 122, // ) 73, 2, 19, 40, 10, 50, 155, 36, // * 79, 70, 145, 121, 7, 5, 0, 0, // + 2, 1, 36, 12, 204, 166, 16, 5, // , 0, 0, 0, 0, 1, 0, 154, 34, // - 0, 0, 0, 0, 96, 83, 0, 0, // . 0, 0, 0, 0, 0, 0, 46, 34, // / 0, 82, 2, 56, 53, 3, 146, 0, // 0 146, 119, 152, 132, 152, 131, 145, 119, // 1 170, 42, 15, 42, 15, 42, 172, 194, // 2 131, 132, 0, 139, 80, 28, 227, 143, // 3 159, 135, 15, 118, 11, 126, 171, 144, // 4 20, 124, 88, 106, 217, 196, 0, 106, // 5 189, 92, 168, 43, 5, 130, 164, 133, // 6 130, 115, 183, 65, 134, 120, 141, 141, // 7 170, 196, 2, 106, 31, 32, 105, 2, // 8 145, 130, 116, 114, 132, 135, 138, 140, // 9 138, 113, 147, 137, 81, 183, 129, 94, // : 0, 0, 21, 16, 4, 3, 46, 34, // ; 0, 0, 45, 34, 1, 0, 160, 49, // < 0, 0, 43, 143, 203, 23, 1, 76, // = 0, 0, 38, 28, 131, 96, 38, 28, // > 0, 0, 168, 31, 29, 191, 98, 0, // ? 118, 139, 5, 113, 45, 13, 37, 6, // @ 97, 115, 161, 179, 204, 105, 223, 224, // A 83, 52, 111, 100, 184, 186, 120, 132, // B 212, 145, 180, 139, 174, 161, 212, 182, // C 104, 162, 131, 0, 131, 0, 104, 161, // D 219, 120, 110, 116, 110, 116, 219, 120, // E 207, 154, 163, 40, 147, 22, 207, 154, // F 202, 159, 161, 47, 145, 23, 111, 0, // G 139, 154, 144, 30, 144, 135, 139, 187, // H 110, 110, 168, 161, 150, 145, 110, 110, // I 185, 162, 43, 16, 43, 16, 185, 162, // J 73, 129, 0, 110, 0, 110, 191, 87, // K 149, 149, 236, 48, 195, 91, 146, 149, // L 146, 0, 146, 0, 146, 0, 187, 173, // M 200, 201, 222, 215, 172, 147, 95, 95, // N 193, 97, 224, 129, 159, 206, 97, 192, // O 155, 139, 153, 115, 153, 115, 156, 140, // P 189, 158, 123, 136, 190, 64, 111, 0, // Q 155, 139, 153, 115, 153, 114, 156, 241, // R 197, 148, 150, 152, 170, 116, 110, 157, // S 156, 128, 169, 14, 13, 159, 158, 149, // T 212, 189, 43, 16, 43, 16, 43, 16, // U 148, 110, 148, 110, 147, 109, 182, 151, // V 133, 121, 106, 118, 114, 103, 89, 66, // W 94, 94, 211, 188, 205, 207, 139, 168, // X 151, 152, 87, 76, 101, 79, 151, 152, // Y 130, 156, 125, 116, 47, 29, 43, 16, // Z 169, 228, 11, 103, 120, 6, 230, 176, // [ 55, 49, 55, 6, 55, 6, 193, 102, // \ 92, 0, 71, 0, 13, 30, 0, 147, // ] 63, 43, 12, 43, 12, 43, 142, 152, // ^ 71, 53, 61, 61, 0, 0, 0, 0, // _ 0, 0, 0, 0, 0, 0, 158, 146, // ` 25, 2, 0, 0, 0, 0, 0, 0, // a 0, 0, 107, 130, 170, 194, 176, 188, // b 109, 0, 203, 159, 113, 111, 202, 158, // c 0, 0, 135, 135, 114, 0, 136, 135, // d 0, 109, 187, 190, 148, 126, 177, 187, // e 0, 0, 149, 130, 218, 105, 169, 135, // f 37, 113, 146, 113, 49, 13, 49, 13, // g 0, 0, 178, 195, 147, 114, 255, 255, // h 109, 0, 193, 149, 110, 109, 109, 109, // i 12, 15, 125, 41, 33, 41, 144, 188, // j 1, 6, 75, 53, 10, 53, 210, 161, // k 110, 0, 152, 148, 210, 60, 110, 156, // l 213, 5, 63, 5, 63, 5, 45, 111, // m 0, 0, 232, 172, 190, 168, 190, 169, // n 0, 0, 190, 144, 109, 109, 109, 109, // o 0, 0, 168, 140, 148, 111, 168, 140, // p 0, 0, 200, 151, 113, 110, 255, 158, // q 0, 0, 184, 188, 147, 139, 186, 255, // r 0, 0, 122, 130, 111, 0, 109, 0, // s 0, 0, 132, 69, 109, 93, 110, 136, // t 51, 5, 205, 103, 61, 6, 47, 106, // u 0, 0, 110, 109, 110, 122, 155, 179, // v 0, 0, 132, 120, 113, 114, 84, 63, // w 0, 0, 124, 108, 202, 189, 160, 174, // x 0, 0, 144, 142, 79, 57, 159, 146, // y 0, 0, 138, 138, 119, 117, 255, 69, // z 0, 0, 97, 198, 47, 38, 208, 84, // { 23, 112, 41, 14, 157, 7, 121, 192, // | 35, 11, 35, 11, 35, 11, 160, 61, // } 129, 9, 40, 19, 20, 139, 236, 44, // ~ 0, 0, 15, 3, 97, 93, 0, 0, ]; var x1Data = [ // 0, 0, // ! 23, 12, // " 53, 0, // # 130, 127, // $ 58, 149, // % 67, 77, // & 72, 198, // ' 13, 0, // ( 25, 51, // ) 25, 49, // * 94, 2, // + 8, 64, // , 0, 24, // - 0, 21, // . 0, 9, // / 19, 27, // 0 126, 126, // 1 51, 80, // 2 72, 105, // 3 87, 98, // 4 73, 93, // 5 106, 85, // 6 111, 123, // 7 87, 30, // 8 116, 126, // 9 123, 110, // : 4, 16, // ; 9, 28, // < 21, 53, // = 8, 62, // > 23, 52, // ? 73, 21, // @ 132, 183, // A 78, 142, // B 168, 175, // C 70, 70, // D 128, 128, // E 123, 110, // F 125, 43, // G 100, 139, // H 125, 119, // I 78, 78, // J 54, 77, // K 139, 139, // L 33, 87, // M 201, 117, // N 162, 149, // O 130, 130, // P 138, 60, // Q 130, 172, // R 149, 127, // S 95, 98, // T 95, 25, // U 118, 135, // V 110, 85, // W 147, 175, // X 105, 110, // Y 121, 30, // Z 101, 113, // [ 34, 68, // \ 20, 26, // ] 34, 68, // ^ 56, 0, // _ 0, 44, // ` 3, 0, // a 27, 175, // b 80, 133, // c 31, 66, // d 85, 147, // e 32, 150, // f 90, 25, // g 45, 230, // h 77, 101, // i 36, 83, // j 22, 84, // k 71, 118, // l 44, 44, // m 52, 172, // n 38, 101, // o 35, 130, // p 40, 197, // q 43, 197, // r 29, 26, // s 23, 103, // t 67, 44, // u 25, 129, // v 29, 85, // w 27, 177, // x 33, 97, // y 32, 145, // z 33, 77, // { 38, 96, // | 20, 55, // } 36, 95, // ~ 2, 22, ]; /***/ }), /***/ 1991: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewOverlayWidgets; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__overlayWidgets_css__ = __webpack_require__(1992); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__overlayWidgets_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__overlayWidgets_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewOverlayWidgets = /** @class */ (function (_super) { __extends(ViewOverlayWidgets, _super); function ViewOverlayWidgets(context) { var _this = _super.call(this, context) || this; _this._widgets = {}; _this._verticalScrollbarWidth = _this._context.configuration.editor.layoutInfo.verticalScrollbarWidth; _this._minimapWidth = _this._context.configuration.editor.layoutInfo.minimapWidth; _this._horizontalScrollbarHeight = _this._context.configuration.editor.layoutInfo.horizontalScrollbarHeight; _this._editorHeight = _this._context.configuration.editor.layoutInfo.height; _this._editorWidth = _this._context.configuration.editor.layoutInfo.width; _this._domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["a" /* PartFingerprints */].write(_this._domNode, 4 /* OverlayWidgets */); _this._domNode.setClassName('overlayWidgets'); return _this; } ViewOverlayWidgets.prototype.dispose = function () { _super.prototype.dispose.call(this); this._widgets = {}; }; ViewOverlayWidgets.prototype.getDomNode = function () { return this._domNode; }; // ---- begin view event handlers ViewOverlayWidgets.prototype.onConfigurationChanged = function (e) { if (e.layoutInfo) { this._verticalScrollbarWidth = this._context.configuration.editor.layoutInfo.verticalScrollbarWidth; this._minimapWidth = this._context.configuration.editor.layoutInfo.minimapWidth; this._horizontalScrollbarHeight = this._context.configuration.editor.layoutInfo.horizontalScrollbarHeight; this._editorHeight = this._context.configuration.editor.layoutInfo.height; this._editorWidth = this._context.configuration.editor.layoutInfo.width; return true; } return false; }; // ---- end view event handlers ViewOverlayWidgets.prototype.addWidget = function (widget) { var domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(widget.getDomNode()); this._widgets[widget.getId()] = { widget: widget, preference: null, domNode: domNode }; // This is sync because a widget wants to be in the dom domNode.setPosition('absolute'); domNode.setAttribute('widgetId', widget.getId()); this._domNode.appendChild(domNode); this.setShouldRender(); }; ViewOverlayWidgets.prototype.setWidgetPosition = function (widget, preference) { var widgetData = this._widgets[widget.getId()]; if (widgetData.preference === preference) { return false; } widgetData.preference = preference; this.setShouldRender(); return true; }; ViewOverlayWidgets.prototype.removeWidget = function (widget) { var widgetId = widget.getId(); if (this._widgets.hasOwnProperty(widgetId)) { var widgetData = this._widgets[widgetId]; var domNode = widgetData.domNode.domNode; delete this._widgets[widgetId]; domNode.parentNode.removeChild(domNode); this.setShouldRender(); } }; ViewOverlayWidgets.prototype._renderWidget = function (widgetData) { var domNode = widgetData.domNode; if (widgetData.preference === null) { domNode.unsetTop(); return; } if (widgetData.preference === 0 /* TOP_RIGHT_CORNER */) { domNode.setTop(0); domNode.setRight((2 * this._verticalScrollbarWidth) + this._minimapWidth); } else if (widgetData.preference === 1 /* BOTTOM_RIGHT_CORNER */) { var widgetHeight = domNode.domNode.clientHeight; domNode.setTop((this._editorHeight - widgetHeight - 2 * this._horizontalScrollbarHeight)); domNode.setRight((2 * this._verticalScrollbarWidth) + this._minimapWidth); } else if (widgetData.preference === 2 /* TOP_CENTER */) { domNode.setTop(0); domNode.domNode.style.right = '50%'; } }; ViewOverlayWidgets.prototype.prepareRender = function (ctx) { // Nothing to read }; ViewOverlayWidgets.prototype.render = function (ctx) { this._domNode.setWidth(this._editorWidth); var keys = Object.keys(this._widgets); for (var i = 0, len = keys.length; i < len; i++) { var widgetId = keys[i]; this._renderWidget(this._widgets[widgetId]); } }; return ViewOverlayWidgets; }(__WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["b" /* ViewPart */])); /***/ }), /***/ 1992: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1993); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1993: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .overlayWidgets{position:absolute;top:0;left:0}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/overlayWidgets/overlayWidgets.css"],"names":[],"mappings":"AAIA,+BACC,kBAAmB,AACnB,MAAO,AACP,MAAO,CACP","file":"overlayWidgets.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n.monaco-editor .overlayWidgets {\n\tposition: absolute;\n\ttop: 0;\n\tleft:0;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1994: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DecorationsOverviewRuler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__ = __webpack_require__(1331); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var Settings = /** @class */ (function () { function Settings(config, theme) { this.lineHeight = config.editor.lineHeight; this.pixelRatio = config.editor.pixelRatio; this.overviewRulerLanes = config.editor.viewInfo.overviewRulerLanes; this.renderBorder = config.editor.viewInfo.overviewRulerBorder; var borderColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_5__common_view_editorColorRegistry_js__["o" /* editorOverviewRulerBorder */]); this.borderColor = borderColor ? borderColor.toString() : null; this.hideCursor = config.editor.viewInfo.hideCursorInOverviewRuler; var cursorColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_5__common_view_editorColorRegistry_js__["d" /* editorCursorForeground */]); this.cursorColor = cursorColor ? cursorColor.transparent(0.7).toString() : null; this.themeType = theme.type; var minimapEnabled = config.editor.viewInfo.minimap.enabled; var minimapSide = config.editor.viewInfo.minimap.side; var backgroundColor = (minimapEnabled ? __WEBPACK_IMPORTED_MODULE_4__common_modes_js__["v" /* TokenizationRegistry */].getDefaultBackground() : null); if (backgroundColor === null || minimapSide === 'left') { this.backgroundColor = null; } else { this.backgroundColor = __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].Format.CSS.formatHex(backgroundColor); } var position = config.editor.layoutInfo.overviewRuler; this.top = position.top; this.right = position.right; this.domWidth = position.width; this.domHeight = position.height; this.canvasWidth = (this.domWidth * this.pixelRatio) | 0; this.canvasHeight = (this.domHeight * this.pixelRatio) | 0; var _a = this._initLanes(1, this.canvasWidth, this.overviewRulerLanes), x = _a[0], w = _a[1]; this.x = x; this.w = w; } Settings.prototype._initLanes = function (canvasLeftOffset, canvasWidth, laneCount) { var remainingWidth = canvasWidth - canvasLeftOffset; if (laneCount >= 3) { var leftWidth = Math.floor(remainingWidth / 3); var rightWidth = Math.floor(remainingWidth / 3); var centerWidth = remainingWidth - leftWidth - rightWidth; var leftOffset = canvasLeftOffset; var centerOffset = leftOffset + leftWidth; var rightOffset = leftOffset + leftWidth + centerWidth; return [ [ 0, leftOffset, centerOffset, leftOffset, rightOffset, leftOffset, centerOffset, leftOffset, ], [ 0, leftWidth, centerWidth, leftWidth + centerWidth, rightWidth, leftWidth + centerWidth + rightWidth, centerWidth + rightWidth, leftWidth + centerWidth + rightWidth, ] ]; } else if (laneCount === 2) { var leftWidth = Math.floor(remainingWidth / 2); var rightWidth = remainingWidth - leftWidth; var leftOffset = canvasLeftOffset; var rightOffset = leftOffset + leftWidth; return [ [ 0, leftOffset, leftOffset, leftOffset, rightOffset, leftOffset, leftOffset, leftOffset, ], [ 0, leftWidth, leftWidth, leftWidth, rightWidth, leftWidth + rightWidth, leftWidth + rightWidth, leftWidth + rightWidth, ] ]; } else { var offset = canvasLeftOffset; var width = remainingWidth; return [ [ 0, offset, offset, offset, offset, offset, offset, offset, ], [ 0, width, width, width, width, width, width, width, ] ]; } }; Settings.prototype.equals = function (other) { return (this.lineHeight === other.lineHeight && this.pixelRatio === other.pixelRatio && this.overviewRulerLanes === other.overviewRulerLanes && this.renderBorder === other.renderBorder && this.borderColor === other.borderColor && this.hideCursor === other.hideCursor && this.cursorColor === other.cursorColor && this.themeType === other.themeType && this.backgroundColor === other.backgroundColor && this.top === other.top && this.right === other.right && this.domWidth === other.domWidth && this.domHeight === other.domHeight && this.canvasWidth === other.canvasWidth && this.canvasHeight === other.canvasHeight); }; return Settings; }()); var DecorationsOverviewRuler = /** @class */ (function (_super) { __extends(DecorationsOverviewRuler, _super); function DecorationsOverviewRuler(context) { var _this = _super.call(this, context) || this; _this._domNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('canvas')); _this._domNode.setClassName('decorationsOverviewRuler'); _this._domNode.setPosition('absolute'); _this._domNode.setLayerHinting(true); _this._domNode.setAttribute('aria-hidden', 'true'); _this._updateSettings(false); _this._tokensColorTrackerListener = __WEBPACK_IMPORTED_MODULE_4__common_modes_js__["v" /* TokenizationRegistry */].onDidChange(function (e) { if (e.changedColorMap) { _this._updateSettings(true); } }); _this._cursorPositions = []; return _this; } DecorationsOverviewRuler.prototype.dispose = function () { _super.prototype.dispose.call(this); this._tokensColorTrackerListener.dispose(); }; DecorationsOverviewRuler.prototype._updateSettings = function (renderNow) { var newSettings = new Settings(this._context.configuration, this._context.theme); if (this._settings && this._settings.equals(newSettings)) { // nothing to do return false; } this._settings = newSettings; this._domNode.setTop(this._settings.top); this._domNode.setRight(this._settings.right); this._domNode.setWidth(this._settings.domWidth); this._domNode.setHeight(this._settings.domHeight); this._domNode.domNode.width = this._settings.canvasWidth; this._domNode.domNode.height = this._settings.canvasHeight; if (renderNow) { this._render(); } return true; }; // ---- begin view event handlers DecorationsOverviewRuler.prototype.onConfigurationChanged = function (e) { return this._updateSettings(false); }; DecorationsOverviewRuler.prototype.onCursorStateChanged = function (e) { this._cursorPositions = []; for (var i = 0, len = e.selections.length; i < len; i++) { this._cursorPositions[i] = e.selections[i].getPosition(); } this._cursorPositions.sort(__WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */].compare); return true; }; DecorationsOverviewRuler.prototype.onDecorationsChanged = function (e) { return true; }; DecorationsOverviewRuler.prototype.onFlushed = function (e) { return true; }; DecorationsOverviewRuler.prototype.onScrollChanged = function (e) { return e.scrollHeightChanged; }; DecorationsOverviewRuler.prototype.onZonesChanged = function (e) { return true; }; DecorationsOverviewRuler.prototype.onThemeChanged = function (e) { // invalidate color cache this._context.model.invalidateOverviewRulerColorCache(); return this._updateSettings(false); }; // ---- end view event handlers DecorationsOverviewRuler.prototype.getDomNode = function () { return this._domNode.domNode; }; DecorationsOverviewRuler.prototype.prepareRender = function (ctx) { // Nothing to read }; DecorationsOverviewRuler.prototype.render = function (editorCtx) { this._render(); }; DecorationsOverviewRuler.prototype._render = function () { var canvasWidth = this._settings.canvasWidth; var canvasHeight = this._settings.canvasHeight; var lineHeight = this._settings.lineHeight; var viewLayout = this._context.viewLayout; var outerHeight = this._context.viewLayout.getScrollHeight(); var heightRatio = canvasHeight / outerHeight; var decorations = this._context.model.getAllOverviewRulerDecorations(this._context.theme); var minDecorationHeight = (6 /* MIN_DECORATION_HEIGHT */ * this._settings.pixelRatio) | 0; var halfMinDecorationHeight = (minDecorationHeight / 2) | 0; var canvasCtx = this._domNode.domNode.getContext('2d'); if (this._settings.backgroundColor === null) { canvasCtx.clearRect(0, 0, canvasWidth, canvasHeight); } else { canvasCtx.fillStyle = this._settings.backgroundColor; canvasCtx.fillRect(0, 0, canvasWidth, canvasHeight); } var x = this._settings.x; var w = this._settings.w; // Avoid flickering by always rendering the colors in the same order // colors that don't use transparency will be sorted last (they start with #) var colors = Object.keys(decorations); colors.sort(); for (var cIndex = 0, cLen = colors.length; cIndex < cLen; cIndex++) { var color = colors[cIndex]; var colorDecorations = decorations[color]; canvasCtx.fillStyle = color; var prevLane = 0; var prevY1 = 0; var prevY2 = 0; for (var i = 0, len = colorDecorations.length; i < len; i++) { var lane = colorDecorations[3 * i]; var startLineNumber = colorDecorations[3 * i + 1]; var endLineNumber = colorDecorations[3 * i + 2]; var y1 = (viewLayout.getVerticalOffsetForLineNumber(startLineNumber) * heightRatio) | 0; var y2 = ((viewLayout.getVerticalOffsetForLineNumber(endLineNumber) + lineHeight) * heightRatio) | 0; var height = y2 - y1; if (height < minDecorationHeight) { var yCenter = ((y1 + y2) / 2) | 0; if (yCenter < halfMinDecorationHeight) { yCenter = halfMinDecorationHeight; } else if (yCenter + halfMinDecorationHeight > canvasHeight) { yCenter = canvasHeight - halfMinDecorationHeight; } y1 = yCenter - halfMinDecorationHeight; y2 = yCenter + halfMinDecorationHeight; } if (y1 > prevY2 + 1 || lane !== prevLane) { // flush prev if (i !== 0) { canvasCtx.fillRect(x[prevLane], prevY1, w[prevLane], prevY2 - prevY1); } prevLane = lane; prevY1 = y1; prevY2 = y2; } else { // merge into prev if (y2 > prevY2) { prevY2 = y2; } } } canvasCtx.fillRect(x[prevLane], prevY1, w[prevLane], prevY2 - prevY1); } // Draw cursors if (!this._settings.hideCursor && this._settings.cursorColor) { var cursorHeight = (2 * this._settings.pixelRatio) | 0; var halfCursorHeight = (cursorHeight / 2) | 0; var cursorX = this._settings.x[7 /* Full */]; var cursorW = this._settings.w[7 /* Full */]; canvasCtx.fillStyle = this._settings.cursorColor; var prevY1 = -100; var prevY2 = -100; for (var i = 0, len = this._cursorPositions.length; i < len; i++) { var cursor = this._cursorPositions[i]; var yCenter = (viewLayout.getVerticalOffsetForLineNumber(cursor.lineNumber) * heightRatio) | 0; if (yCenter < halfCursorHeight) { yCenter = halfCursorHeight; } else if (yCenter + halfCursorHeight > canvasHeight) { yCenter = canvasHeight - halfCursorHeight; } var y1 = yCenter - halfCursorHeight; var y2 = y1 + cursorHeight; if (y1 > prevY2 + 1) { // flush prev if (i !== 0) { canvasCtx.fillRect(cursorX, prevY1, cursorW, prevY2 - prevY1); } prevY1 = y1; prevY2 = y2; } else { // merge into prev if (y2 > prevY2) { prevY2 = y2; } } } canvasCtx.fillRect(cursorX, prevY1, cursorW, prevY2 - prevY1); } if (this._settings.renderBorder && this._settings.borderColor && this._settings.overviewRulerLanes > 0) { canvasCtx.beginPath(); canvasCtx.lineWidth = 1; canvasCtx.strokeStyle = this._settings.borderColor; canvasCtx.moveTo(0, 0); canvasCtx.lineTo(0, canvasHeight); canvasCtx.stroke(); canvasCtx.moveTo(0, 0); canvasCtx.lineTo(canvasWidth, 0); canvasCtx.stroke(); } }; return DecorationsOverviewRuler; }(__WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["b" /* ViewPart */])); /***/ }), /***/ 1995: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return OverviewRuler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_view_overviewZoneManager_js__ = __webpack_require__(1712); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_viewModel_viewEventHandler_js__ = __webpack_require__(1398); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var OverviewRuler = /** @class */ (function (_super) { __extends(OverviewRuler, _super); function OverviewRuler(context, cssClassName) { var _this = _super.call(this) || this; _this._context = context; _this._domNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('canvas')); _this._domNode.setClassName(cssClassName); _this._domNode.setPosition('absolute'); _this._domNode.setLayerHinting(true); _this._zoneManager = new __WEBPACK_IMPORTED_MODULE_1__common_view_overviewZoneManager_js__["b" /* OverviewZoneManager */](function (lineNumber) { return _this._context.viewLayout.getVerticalOffsetForLineNumber(lineNumber); }); _this._zoneManager.setDOMWidth(0); _this._zoneManager.setDOMHeight(0); _this._zoneManager.setOuterHeight(_this._context.viewLayout.getScrollHeight()); _this._zoneManager.setLineHeight(_this._context.configuration.editor.lineHeight); _this._zoneManager.setPixelRatio(_this._context.configuration.editor.pixelRatio); _this._context.addEventHandler(_this); return _this; } OverviewRuler.prototype.dispose = function () { this._context.removeEventHandler(this); _super.prototype.dispose.call(this); }; // ---- begin view event handlers OverviewRuler.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._zoneManager.setLineHeight(this._context.configuration.editor.lineHeight); this._render(); } if (e.pixelRatio) { this._zoneManager.setPixelRatio(this._context.configuration.editor.pixelRatio); this._domNode.setWidth(this._zoneManager.getDOMWidth()); this._domNode.setHeight(this._zoneManager.getDOMHeight()); this._domNode.domNode.width = this._zoneManager.getCanvasWidth(); this._domNode.domNode.height = this._zoneManager.getCanvasHeight(); this._render(); } return true; }; OverviewRuler.prototype.onFlushed = function (e) { this._render(); return true; }; OverviewRuler.prototype.onScrollChanged = function (e) { if (e.scrollHeightChanged) { this._zoneManager.setOuterHeight(e.scrollHeight); this._render(); } return true; }; OverviewRuler.prototype.onZonesChanged = function (e) { this._render(); return true; }; // ---- end view event handlers OverviewRuler.prototype.getDomNode = function () { return this._domNode.domNode; }; OverviewRuler.prototype.setLayout = function (position) { this._domNode.setTop(position.top); this._domNode.setRight(position.right); var hasChanged = false; hasChanged = this._zoneManager.setDOMWidth(position.width) || hasChanged; hasChanged = this._zoneManager.setDOMHeight(position.height) || hasChanged; if (hasChanged) { this._domNode.setWidth(this._zoneManager.getDOMWidth()); this._domNode.setHeight(this._zoneManager.getDOMHeight()); this._domNode.domNode.width = this._zoneManager.getCanvasWidth(); this._domNode.domNode.height = this._zoneManager.getCanvasHeight(); this._render(); } }; OverviewRuler.prototype.setZones = function (zones) { this._zoneManager.setZones(zones); this._render(); }; OverviewRuler.prototype._render = function () { if (this._zoneManager.getOuterHeight() === 0) { return false; } var width = this._zoneManager.getCanvasWidth(); var height = this._zoneManager.getCanvasHeight(); var colorZones = this._zoneManager.resolveColorZones(); var id2Color = this._zoneManager.getId2Color(); var ctx = this._domNode.domNode.getContext('2d'); ctx.clearRect(0, 0, width, height); if (colorZones.length > 0) { this._renderOneLane(ctx, colorZones, id2Color, width); } return true; }; OverviewRuler.prototype._renderOneLane = function (ctx, colorZones, id2Color, width) { var currentColorId = 0; var currentFrom = 0; var currentTo = 0; for (var _i = 0, colorZones_1 = colorZones; _i < colorZones_1.length; _i++) { var zone = colorZones_1[_i]; var zoneColorId = zone.colorId; var zoneFrom = zone.from; var zoneTo = zone.to; if (zoneColorId !== currentColorId) { ctx.fillRect(0, currentFrom, width, currentTo - currentFrom); currentColorId = zoneColorId; ctx.fillStyle = id2Color[currentColorId]; currentFrom = zoneFrom; currentTo = zoneTo; } else { if (currentTo >= zoneFrom) { currentTo = Math.max(currentTo, zoneTo); } else { ctx.fillRect(0, currentFrom, width, currentTo - currentFrom); currentFrom = zoneFrom; currentTo = zoneTo; } } } ctx.fillRect(0, currentFrom, width, currentTo - currentFrom); }; return OverviewRuler; }(__WEBPACK_IMPORTED_MODULE_2__common_viewModel_viewEventHandler_js__["a" /* ViewEventHandler */])); /***/ }), /***/ 1996: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Rulers; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__rulers_css__ = __webpack_require__(1997); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__rulers_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__rulers_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var Rulers = /** @class */ (function (_super) { __extends(Rulers, _super); function Rulers(context) { var _this = _super.call(this, context) || this; _this.domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.domNode.setAttribute('role', 'presentation'); _this.domNode.setAttribute('aria-hidden', 'true'); _this.domNode.setClassName('view-rulers'); _this._renderedRulers = []; _this._rulers = _this._context.configuration.editor.viewInfo.rulers; _this._typicalHalfwidthCharacterWidth = _this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; return _this; } Rulers.prototype.dispose = function () { _super.prototype.dispose.call(this); }; // --- begin event handlers Rulers.prototype.onConfigurationChanged = function (e) { if (e.viewInfo || e.layoutInfo || e.fontInfo) { this._rulers = this._context.configuration.editor.viewInfo.rulers; this._typicalHalfwidthCharacterWidth = this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; return true; } return false; }; Rulers.prototype.onScrollChanged = function (e) { return e.scrollHeightChanged; }; // --- end event handlers Rulers.prototype.prepareRender = function (ctx) { // Nothing to read }; Rulers.prototype._ensureRulersCount = function () { var currentCount = this._renderedRulers.length; var desiredCount = this._rulers.length; if (currentCount === desiredCount) { // Nothing to do return; } if (currentCount < desiredCount) { var tabSize = this._context.model.getOptions().tabSize; var rulerWidth = tabSize; var addCount = desiredCount - currentCount; while (addCount > 0) { var node = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); node.setClassName('view-ruler'); node.setWidth(rulerWidth); this.domNode.appendChild(node); this._renderedRulers.push(node); addCount--; } return; } var removeCount = currentCount - desiredCount; while (removeCount > 0) { var node = this._renderedRulers.pop(); this.domNode.removeChild(node); removeCount--; } }; Rulers.prototype.render = function (ctx) { this._ensureRulersCount(); for (var i = 0, len = this._rulers.length; i < len; i++) { var node = this._renderedRulers[i]; node.setHeight(Math.min(ctx.scrollHeight, 1000000)); node.setLeft(this._rulers[i] * this._typicalHalfwidthCharacterWidth); } }; return Rulers; }(__WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["b" /* ViewPart */])); Object(__WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var rulerColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__common_view_editorColorRegistry_js__["p" /* editorRuler */]); if (rulerColor) { collector.addRule(".monaco-editor .view-ruler { box-shadow: 1px 0 0 0 " + rulerColor + " inset; }"); } }); /***/ }), /***/ 1997: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(1998); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 1998: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .view-ruler{position:absolute;top:0}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/rulers/rulers.css"],"names":[],"mappings":"AAKA,2BACC,kBAAmB,AACnB,KAAO,CACP","file":"rulers.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .view-ruler {\n\tposition: absolute;\n\ttop: 0;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 1999: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ScrollDecorationViewPart; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__scrollDecoration_css__ = __webpack_require__(2000); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__scrollDecoration_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__scrollDecoration_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ScrollDecorationViewPart = /** @class */ (function (_super) { __extends(ScrollDecorationViewPart, _super); function ScrollDecorationViewPart(context) { var _this = _super.call(this, context) || this; _this._scrollTop = 0; _this._width = 0; _this._updateWidth(); _this._shouldShow = false; _this._useShadows = _this._context.configuration.editor.viewInfo.scrollbar.useShadows; _this._domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._domNode.setAttribute('role', 'presentation'); _this._domNode.setAttribute('aria-hidden', 'true'); return _this; } ScrollDecorationViewPart.prototype.dispose = function () { _super.prototype.dispose.call(this); }; ScrollDecorationViewPart.prototype._updateShouldShow = function () { var newShouldShow = (this._useShadows && this._scrollTop > 0); if (this._shouldShow !== newShouldShow) { this._shouldShow = newShouldShow; return true; } return false; }; ScrollDecorationViewPart.prototype.getDomNode = function () { return this._domNode; }; ScrollDecorationViewPart.prototype._updateWidth = function () { var layoutInfo = this._context.configuration.editor.layoutInfo; var newWidth = 0; if (layoutInfo.renderMinimap === 0 || (layoutInfo.minimapWidth > 0 && layoutInfo.minimapLeft === 0)) { newWidth = layoutInfo.width; } else { newWidth = layoutInfo.width - layoutInfo.minimapWidth - layoutInfo.verticalScrollbarWidth; } if (this._width !== newWidth) { this._width = newWidth; return true; } return false; }; // --- begin event handlers ScrollDecorationViewPart.prototype.onConfigurationChanged = function (e) { var shouldRender = false; if (e.viewInfo) { this._useShadows = this._context.configuration.editor.viewInfo.scrollbar.useShadows; } if (e.layoutInfo) { shouldRender = this._updateWidth(); } return this._updateShouldShow() || shouldRender; }; ScrollDecorationViewPart.prototype.onScrollChanged = function (e) { this._scrollTop = e.scrollTop; return this._updateShouldShow(); }; // --- end event handlers ScrollDecorationViewPart.prototype.prepareRender = function (ctx) { // Nothing to read }; ScrollDecorationViewPart.prototype.render = function (ctx) { this._domNode.setWidth(this._width); this._domNode.setClassName(this._shouldShow ? 'scroll-decoration' : ''); }; return ScrollDecorationViewPart; }(__WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["b" /* ViewPart */])); Object(__WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var shadow = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_colorRegistry_js__["_4" /* scrollbarShadow */]); if (shadow) { collector.addRule(".monaco-editor .scroll-decoration { box-shadow: " + shadow + " 0 6px 6px -6px inset; }"); } }); /***/ }), /***/ 2000: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2001); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2001: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .scroll-decoration{position:absolute;top:0;left:0;height:6px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/scrollDecoration/scrollDecoration.css"],"names":[],"mappings":"AAKA,kCACC,kBAAmB,AACnB,MAAO,AACP,OAAQ,AACR,UAAY,CACZ","file":"scrollDecoration.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-editor .scroll-decoration {\n\tposition: absolute;\n\ttop: 0;\n\tleft: 0;\n\theight: 6px;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2002: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return SelectionsOverlay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__selections_css__ = __webpack_require__(2003); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__selections_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__selections_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_dynamicViewOverlay_js__ = __webpack_require__(1330); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var HorizontalRangeWithStyle = /** @class */ (function () { function HorizontalRangeWithStyle(other) { this.left = other.left; this.width = other.width; this.startStyle = null; this.endStyle = null; } return HorizontalRangeWithStyle; }()); var LineVisibleRangesWithStyle = /** @class */ (function () { function LineVisibleRangesWithStyle(lineNumber, ranges) { this.lineNumber = lineNumber; this.ranges = ranges; } return LineVisibleRangesWithStyle; }()); function toStyledRange(item) { return new HorizontalRangeWithStyle(item); } function toStyled(item) { return new LineVisibleRangesWithStyle(item.lineNumber, item.ranges.map(toStyledRange)); } // TODO@Alex: Remove this once IE11 fixes Bug #524217 // The problem in IE11 is that it does some sort of auto-zooming to accomodate for displays with different pixel density. // Unfortunately, this auto-zooming is buggy around dealing with rounded borders var isIEWithZoomingIssuesNearRoundedBorders = __WEBPACK_IMPORTED_MODULE_1__base_browser_browser_js__["g" /* isEdgeOrIE */]; var SelectionsOverlay = /** @class */ (function (_super) { __extends(SelectionsOverlay, _super); function SelectionsOverlay(context) { var _this = _super.call(this) || this; _this._previousFrameVisibleRangesWithStyle = []; _this._context = context; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._roundedSelection = _this._context.configuration.editor.viewInfo.roundedSelection; _this._typicalHalfwidthCharacterWidth = _this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; _this._selections = []; _this._renderResult = null; _this._context.addEventHandler(_this); return _this; } SelectionsOverlay.prototype.dispose = function () { this._context.removeEventHandler(this); this._renderResult = null; _super.prototype.dispose.call(this); }; // --- begin event handlers SelectionsOverlay.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.viewInfo) { this._roundedSelection = this._context.configuration.editor.viewInfo.roundedSelection; } if (e.fontInfo) { this._typicalHalfwidthCharacterWidth = this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; } return true; }; SelectionsOverlay.prototype.onCursorStateChanged = function (e) { this._selections = e.selections.slice(0); return true; }; SelectionsOverlay.prototype.onDecorationsChanged = function (e) { // true for inline decorations that can end up relayouting text return true; //e.inlineDecorationsChanged; }; SelectionsOverlay.prototype.onFlushed = function (e) { return true; }; SelectionsOverlay.prototype.onLinesChanged = function (e) { return true; }; SelectionsOverlay.prototype.onLinesDeleted = function (e) { return true; }; SelectionsOverlay.prototype.onLinesInserted = function (e) { return true; }; SelectionsOverlay.prototype.onScrollChanged = function (e) { return e.scrollTopChanged; }; SelectionsOverlay.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers SelectionsOverlay.prototype._visibleRangesHaveGaps = function (linesVisibleRanges) { for (var i = 0, len = linesVisibleRanges.length; i < len; i++) { var lineVisibleRanges = linesVisibleRanges[i]; if (lineVisibleRanges.ranges.length > 1) { // There are two ranges on the same line return true; } } return false; }; SelectionsOverlay.prototype._enrichVisibleRangesWithStyle = function (viewport, linesVisibleRanges, previousFrame) { var epsilon = this._typicalHalfwidthCharacterWidth / 4; var previousFrameTop = null; var previousFrameBottom = null; if (previousFrame && previousFrame.length > 0 && linesVisibleRanges.length > 0) { var topLineNumber = linesVisibleRanges[0].lineNumber; if (topLineNumber === viewport.startLineNumber) { for (var i = 0; !previousFrameTop && i < previousFrame.length; i++) { if (previousFrame[i].lineNumber === topLineNumber) { previousFrameTop = previousFrame[i].ranges[0]; } } } var bottomLineNumber = linesVisibleRanges[linesVisibleRanges.length - 1].lineNumber; if (bottomLineNumber === viewport.endLineNumber) { for (var i = previousFrame.length - 1; !previousFrameBottom && i >= 0; i--) { if (previousFrame[i].lineNumber === bottomLineNumber) { previousFrameBottom = previousFrame[i].ranges[0]; } } } if (previousFrameTop && !previousFrameTop.startStyle) { previousFrameTop = null; } if (previousFrameBottom && !previousFrameBottom.startStyle) { previousFrameBottom = null; } } for (var i = 0, len = linesVisibleRanges.length; i < len; i++) { // We know for a fact that there is precisely one range on each line var curLineRange = linesVisibleRanges[i].ranges[0]; var curLeft = curLineRange.left; var curRight = curLineRange.left + curLineRange.width; var startStyle = { top: 0 /* EXTERN */, bottom: 0 /* EXTERN */ }; var endStyle = { top: 0 /* EXTERN */, bottom: 0 /* EXTERN */ }; if (i > 0) { // Look above var prevLeft = linesVisibleRanges[i - 1].ranges[0].left; var prevRight = linesVisibleRanges[i - 1].ranges[0].left + linesVisibleRanges[i - 1].ranges[0].width; if (abs(curLeft - prevLeft) < epsilon) { startStyle.top = 2 /* FLAT */; } else if (curLeft > prevLeft) { startStyle.top = 1 /* INTERN */; } if (abs(curRight - prevRight) < epsilon) { endStyle.top = 2 /* FLAT */; } else if (prevLeft < curRight && curRight < prevRight) { endStyle.top = 1 /* INTERN */; } } else if (previousFrameTop) { // Accept some hick-ups near the viewport edges to save on repaints startStyle.top = previousFrameTop.startStyle.top; endStyle.top = previousFrameTop.endStyle.top; } if (i + 1 < len) { // Look below var nextLeft = linesVisibleRanges[i + 1].ranges[0].left; var nextRight = linesVisibleRanges[i + 1].ranges[0].left + linesVisibleRanges[i + 1].ranges[0].width; if (abs(curLeft - nextLeft) < epsilon) { startStyle.bottom = 2 /* FLAT */; } else if (nextLeft < curLeft && curLeft < nextRight) { startStyle.bottom = 1 /* INTERN */; } if (abs(curRight - nextRight) < epsilon) { endStyle.bottom = 2 /* FLAT */; } else if (curRight < nextRight) { endStyle.bottom = 1 /* INTERN */; } } else if (previousFrameBottom) { // Accept some hick-ups near the viewport edges to save on repaints startStyle.bottom = previousFrameBottom.startStyle.bottom; endStyle.bottom = previousFrameBottom.endStyle.bottom; } curLineRange.startStyle = startStyle; curLineRange.endStyle = endStyle; } }; SelectionsOverlay.prototype._getVisibleRangesWithStyle = function (selection, ctx, previousFrame) { var _linesVisibleRanges = ctx.linesVisibleRangesForRange(selection, true) || []; var linesVisibleRanges = _linesVisibleRanges.map(toStyled); var visibleRangesHaveGaps = this._visibleRangesHaveGaps(linesVisibleRanges); if (!isIEWithZoomingIssuesNearRoundedBorders && !visibleRangesHaveGaps && this._roundedSelection) { this._enrichVisibleRangesWithStyle(ctx.visibleRange, linesVisibleRanges, previousFrame); } // The visible ranges are sorted TOP-BOTTOM and LEFT-RIGHT return linesVisibleRanges; }; SelectionsOverlay.prototype._createSelectionPiece = function (top, height, className, left, width) { return ('<div class="cslr ' + className + '" style="top:' + top.toString() + 'px;left:' + left.toString() + 'px;width:' + width.toString() + 'px;height:' + height + 'px;"></div>'); }; SelectionsOverlay.prototype._actualRenderOneSelection = function (output2, visibleStartLineNumber, hasMultipleSelections, visibleRanges) { var visibleRangesHaveStyle = (visibleRanges.length > 0 && visibleRanges[0].ranges[0].startStyle); var fullLineHeight = (this._lineHeight).toString(); var reducedLineHeight = (this._lineHeight - 1).toString(); var firstLineNumber = (visibleRanges.length > 0 ? visibleRanges[0].lineNumber : 0); var lastLineNumber = (visibleRanges.length > 0 ? visibleRanges[visibleRanges.length - 1].lineNumber : 0); for (var i = 0, len = visibleRanges.length; i < len; i++) { var lineVisibleRanges = visibleRanges[i]; var lineNumber = lineVisibleRanges.lineNumber; var lineIndex = lineNumber - visibleStartLineNumber; var lineHeight = hasMultipleSelections ? (lineNumber === lastLineNumber || lineNumber === firstLineNumber ? reducedLineHeight : fullLineHeight) : fullLineHeight; var top_1 = hasMultipleSelections ? (lineNumber === firstLineNumber ? 1 : 0) : 0; var lineOutput = ''; for (var j = 0, lenJ = lineVisibleRanges.ranges.length; j < lenJ; j++) { var visibleRange = lineVisibleRanges.ranges[j]; if (visibleRangesHaveStyle) { var startStyle = visibleRange.startStyle; var endStyle = visibleRange.endStyle; if (startStyle.top === 1 /* INTERN */ || startStyle.bottom === 1 /* INTERN */) { // Reverse rounded corner to the left // First comes the selection (blue layer) lineOutput += this._createSelectionPiece(top_1, lineHeight, SelectionsOverlay.SELECTION_CLASS_NAME, visibleRange.left - SelectionsOverlay.ROUNDED_PIECE_WIDTH, SelectionsOverlay.ROUNDED_PIECE_WIDTH); // Second comes the background (white layer) with inverse border radius var className_1 = SelectionsOverlay.EDITOR_BACKGROUND_CLASS_NAME; if (startStyle.top === 1 /* INTERN */) { className_1 += ' ' + SelectionsOverlay.SELECTION_TOP_RIGHT; } if (startStyle.bottom === 1 /* INTERN */) { className_1 += ' ' + SelectionsOverlay.SELECTION_BOTTOM_RIGHT; } lineOutput += this._createSelectionPiece(top_1, lineHeight, className_1, visibleRange.left - SelectionsOverlay.ROUNDED_PIECE_WIDTH, SelectionsOverlay.ROUNDED_PIECE_WIDTH); } if (endStyle.top === 1 /* INTERN */ || endStyle.bottom === 1 /* INTERN */) { // Reverse rounded corner to the right // First comes the selection (blue layer) lineOutput += this._createSelectionPiece(top_1, lineHeight, SelectionsOverlay.SELECTION_CLASS_NAME, visibleRange.left + visibleRange.width, SelectionsOverlay.ROUNDED_PIECE_WIDTH); // Second comes the background (white layer) with inverse border radius var className_2 = SelectionsOverlay.EDITOR_BACKGROUND_CLASS_NAME; if (endStyle.top === 1 /* INTERN */) { className_2 += ' ' + SelectionsOverlay.SELECTION_TOP_LEFT; } if (endStyle.bottom === 1 /* INTERN */) { className_2 += ' ' + SelectionsOverlay.SELECTION_BOTTOM_LEFT; } lineOutput += this._createSelectionPiece(top_1, lineHeight, className_2, visibleRange.left + visibleRange.width, SelectionsOverlay.ROUNDED_PIECE_WIDTH); } } var className = SelectionsOverlay.SELECTION_CLASS_NAME; if (visibleRangesHaveStyle) { var startStyle = visibleRange.startStyle; var endStyle = visibleRange.endStyle; if (startStyle.top === 0 /* EXTERN */) { className += ' ' + SelectionsOverlay.SELECTION_TOP_LEFT; } if (startStyle.bottom === 0 /* EXTERN */) { className += ' ' + SelectionsOverlay.SELECTION_BOTTOM_LEFT; } if (endStyle.top === 0 /* EXTERN */) { className += ' ' + SelectionsOverlay.SELECTION_TOP_RIGHT; } if (endStyle.bottom === 0 /* EXTERN */) { className += ' ' + SelectionsOverlay.SELECTION_BOTTOM_RIGHT; } } lineOutput += this._createSelectionPiece(top_1, lineHeight, className, visibleRange.left, visibleRange.width); } output2[lineIndex] += lineOutput; } }; SelectionsOverlay.prototype.prepareRender = function (ctx) { var output = []; var visibleStartLineNumber = ctx.visibleRange.startLineNumber; var visibleEndLineNumber = ctx.visibleRange.endLineNumber; for (var lineNumber = visibleStartLineNumber; lineNumber <= visibleEndLineNumber; lineNumber++) { var lineIndex = lineNumber - visibleStartLineNumber; output[lineIndex] = ''; } var thisFrameVisibleRangesWithStyle = []; for (var i = 0, len = this._selections.length; i < len; i++) { var selection = this._selections[i]; if (selection.isEmpty()) { thisFrameVisibleRangesWithStyle[i] = null; continue; } var visibleRangesWithStyle = this._getVisibleRangesWithStyle(selection, ctx, this._previousFrameVisibleRangesWithStyle[i]); thisFrameVisibleRangesWithStyle[i] = visibleRangesWithStyle; this._actualRenderOneSelection(output, visibleStartLineNumber, this._selections.length > 1, visibleRangesWithStyle); } this._previousFrameVisibleRangesWithStyle = thisFrameVisibleRangesWithStyle; this._renderResult = output; }; SelectionsOverlay.prototype.render = function (startLineNumber, lineNumber) { if (!this._renderResult) { return ''; } var lineIndex = lineNumber - startLineNumber; if (lineIndex < 0 || lineIndex >= this._renderResult.length) { return ''; } return this._renderResult[lineIndex]; }; SelectionsOverlay.SELECTION_CLASS_NAME = 'selected-text'; SelectionsOverlay.SELECTION_TOP_LEFT = 'top-left-radius'; SelectionsOverlay.SELECTION_BOTTOM_LEFT = 'bottom-left-radius'; SelectionsOverlay.SELECTION_TOP_RIGHT = 'top-right-radius'; SelectionsOverlay.SELECTION_BOTTOM_RIGHT = 'bottom-right-radius'; SelectionsOverlay.EDITOR_BACKGROUND_CLASS_NAME = 'monaco-editor-background'; SelectionsOverlay.ROUNDED_PIECE_WIDTH = 10; return SelectionsOverlay; }(__WEBPACK_IMPORTED_MODULE_2__view_dynamicViewOverlay_js__["a" /* DynamicViewOverlay */])); Object(__WEBPACK_IMPORTED_MODULE_4__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var editorSelectionColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_colorRegistry_js__["q" /* editorSelectionBackground */]); if (editorSelectionColor) { collector.addRule(".monaco-editor .focused .selected-text { background-color: " + editorSelectionColor + "; }"); } var editorInactiveSelectionColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_colorRegistry_js__["p" /* editorInactiveSelection */]); if (editorInactiveSelectionColor) { collector.addRule(".monaco-editor .selected-text { background-color: " + editorInactiveSelectionColor + "; }"); } var editorSelectionForegroundColor = theme.getColor(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_colorRegistry_js__["r" /* editorSelectionForeground */]); if (editorSelectionForegroundColor) { collector.addRule(".monaco-editor .view-line span.inline-selected-text { color: " + editorSelectionForegroundColor + "; }"); } }); function abs(n) { return n < 0 ? -n : n; } /***/ }), /***/ 2003: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2004); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2004: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .lines-content .cslr{position:absolute}.monaco-editor .top-left-radius{border-top-left-radius:3px}.monaco-editor .bottom-left-radius{border-bottom-left-radius:3px}.monaco-editor .top-right-radius{border-top-right-radius:3px}.monaco-editor .bottom-right-radius{border-bottom-right-radius:3px}.monaco-editor.hc-black .top-left-radius{border-top-left-radius:0}.monaco-editor.hc-black .bottom-left-radius{border-bottom-left-radius:0}.monaco-editor.hc-black .top-right-radius{border-top-right-radius:0}.monaco-editor.hc-black .bottom-right-radius{border-bottom-right-radius:0}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/selections/selections.css"],"names":[],"mappings":"AASA,oCACC,iBAAmB,CACnB,AAED,gCAAqC,0BAA4B,CAAE,AACnE,mCAAwC,6BAA+B,CAAE,AACzE,iCAAsC,2BAA6B,CAAE,AACrE,oCAAwC,8BAAgC,CAAE,AAE1E,yCAA4C,wBAA0B,CAAE,AACxE,4CAA+C,2BAA6B,CAAE,AAC9E,0CAA6C,yBAA2B,CAAE,AAC1E,6CAA+C,4BAA8B,CAAE","file":"selections.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n/*\n\tKeeping name short for faster parsing.\n\tcslr = core selections layer rendering (div)\n*/\n.monaco-editor .lines-content .cslr {\n\tposition: absolute;\n}\n\n.monaco-editor\t\t\t.top-left-radius\t\t{ border-top-left-radius: 3px; }\n.monaco-editor\t\t\t.bottom-left-radius\t\t{ border-bottom-left-radius: 3px; }\n.monaco-editor\t\t\t.top-right-radius\t\t{ border-top-right-radius: 3px; }\n.monaco-editor\t\t\t.bottom-right-radius\t{ border-bottom-right-radius: 3px; }\n\n.monaco-editor.hc-black .top-left-radius\t\t{ border-top-left-radius: 0; }\n.monaco-editor.hc-black .bottom-left-radius\t\t{ border-bottom-left-radius: 0; }\n.monaco-editor.hc-black .top-right-radius\t\t{ border-top-right-radius: 0; }\n.monaco-editor.hc-black .bottom-right-radius\t{ border-bottom-right-radius: 0; }\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 2005: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewCursors; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__viewCursors_css__ = __webpack_require__(2006); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__viewCursors_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__viewCursors_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__viewCursor_js__ = __webpack_require__(2008); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewCursors = /** @class */ (function (_super) { __extends(ViewCursors, _super); function ViewCursors(context) { var _this = _super.call(this, context) || this; _this._readOnly = _this._context.configuration.editor.readOnly; _this._cursorBlinking = _this._context.configuration.editor.viewInfo.cursorBlinking; _this._cursorStyle = _this._context.configuration.editor.viewInfo.cursorStyle; _this._cursorSmoothCaretAnimation = _this._context.configuration.editor.viewInfo.cursorSmoothCaretAnimation; _this._selectionIsEmpty = true; _this._primaryCursor = new __WEBPACK_IMPORTED_MODULE_4__viewCursor_js__["a" /* ViewCursor */](_this._context); _this._secondaryCursors = []; _this._renderData = []; _this._domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._domNode.setAttribute('role', 'presentation'); _this._domNode.setAttribute('aria-hidden', 'true'); _this._updateDomClassName(); _this._domNode.appendChild(_this._primaryCursor.getDomNode()); _this._startCursorBlinkAnimation = new __WEBPACK_IMPORTED_MODULE_2__base_common_async_js__["d" /* TimeoutTimer */](); _this._cursorFlatBlinkInterval = new __WEBPACK_IMPORTED_MODULE_2__base_common_async_js__["b" /* IntervalTimer */](); _this._blinkingEnabled = false; _this._editorHasFocus = false; _this._updateBlinking(); return _this; } ViewCursors.prototype.dispose = function () { _super.prototype.dispose.call(this); this._startCursorBlinkAnimation.dispose(); this._cursorFlatBlinkInterval.dispose(); }; ViewCursors.prototype.getDomNode = function () { return this._domNode; }; // --- begin event handlers ViewCursors.prototype.onConfigurationChanged = function (e) { if (e.readOnly) { this._readOnly = this._context.configuration.editor.readOnly; } if (e.viewInfo) { this._cursorBlinking = this._context.configuration.editor.viewInfo.cursorBlinking; this._cursorStyle = this._context.configuration.editor.viewInfo.cursorStyle; this._cursorSmoothCaretAnimation = this._context.configuration.editor.viewInfo.cursorSmoothCaretAnimation; } this._primaryCursor.onConfigurationChanged(e); this._updateBlinking(); if (e.viewInfo) { this._updateDomClassName(); } for (var i = 0, len = this._secondaryCursors.length; i < len; i++) { this._secondaryCursors[i].onConfigurationChanged(e); } return true; }; ViewCursors.prototype._onCursorPositionChanged = function (position, secondaryPositions) { this._primaryCursor.onCursorPositionChanged(position); this._updateBlinking(); if (this._secondaryCursors.length < secondaryPositions.length) { // Create new cursors var addCnt = secondaryPositions.length - this._secondaryCursors.length; for (var i = 0; i < addCnt; i++) { var newCursor = new __WEBPACK_IMPORTED_MODULE_4__viewCursor_js__["a" /* ViewCursor */](this._context); this._domNode.domNode.insertBefore(newCursor.getDomNode().domNode, this._primaryCursor.getDomNode().domNode.nextSibling); this._secondaryCursors.push(newCursor); } } else if (this._secondaryCursors.length > secondaryPositions.length) { // Remove some cursors var removeCnt = this._secondaryCursors.length - secondaryPositions.length; for (var i = 0; i < removeCnt; i++) { this._domNode.removeChild(this._secondaryCursors[0].getDomNode()); this._secondaryCursors.splice(0, 1); } } for (var i = 0; i < secondaryPositions.length; i++) { this._secondaryCursors[i].onCursorPositionChanged(secondaryPositions[i]); } }; ViewCursors.prototype.onCursorStateChanged = function (e) { var positions = []; for (var i = 0, len = e.selections.length; i < len; i++) { positions[i] = e.selections[i].getPosition(); } this._onCursorPositionChanged(positions[0], positions.slice(1)); var selectionIsEmpty = e.selections[0].isEmpty(); if (this._selectionIsEmpty !== selectionIsEmpty) { this._selectionIsEmpty = selectionIsEmpty; this._updateDomClassName(); } return true; }; ViewCursors.prototype.onDecorationsChanged = function (e) { // true for inline decorations that can end up relayouting text return true; }; ViewCursors.prototype.onFlushed = function (e) { return true; }; ViewCursors.prototype.onFocusChanged = function (e) { this._editorHasFocus = e.isFocused; this._updateBlinking(); return false; }; ViewCursors.prototype.onLinesChanged = function (e) { return true; }; ViewCursors.prototype.onLinesDeleted = function (e) { return true; }; ViewCursors.prototype.onLinesInserted = function (e) { return true; }; ViewCursors.prototype.onScrollChanged = function (e) { return true; }; ViewCursors.prototype.onTokensChanged = function (e) { var shouldRender = function (position) { for (var i = 0, len = e.ranges.length; i < len; i++) { if (e.ranges[i].fromLineNumber <= position.lineNumber && position.lineNumber <= e.ranges[i].toLineNumber) { return true; } } return false; }; if (shouldRender(this._primaryCursor.getPosition())) { return true; } for (var _i = 0, _a = this._secondaryCursors; _i < _a.length; _i++) { var secondaryCursor = _a[_i]; if (shouldRender(secondaryCursor.getPosition())) { return true; } } return false; }; ViewCursors.prototype.onZonesChanged = function (e) { return true; }; // --- end event handlers // ---- blinking logic ViewCursors.prototype._getCursorBlinking = function () { if (!this._editorHasFocus) { return 0 /* Hidden */; } if (this._readOnly) { return 5 /* Solid */; } return this._cursorBlinking; }; ViewCursors.prototype._updateBlinking = function () { var _this = this; this._startCursorBlinkAnimation.cancel(); this._cursorFlatBlinkInterval.cancel(); var blinkingStyle = this._getCursorBlinking(); // hidden and solid are special as they involve no animations var isHidden = (blinkingStyle === 0 /* Hidden */); var isSolid = (blinkingStyle === 5 /* Solid */); if (isHidden) { this._hide(); } else { this._show(); } this._blinkingEnabled = false; this._updateDomClassName(); if (!isHidden && !isSolid) { if (blinkingStyle === 1 /* Blink */) { // flat blinking is handled by JavaScript to save battery life due to Chromium step timing issue https://bugs.chromium.org/p/chromium/issues/detail?id=361587 this._cursorFlatBlinkInterval.cancelAndSet(function () { if (_this._isVisible) { _this._hide(); } else { _this._show(); } }, ViewCursors.BLINK_INTERVAL); } else { this._startCursorBlinkAnimation.setIfNotSet(function () { _this._blinkingEnabled = true; _this._updateDomClassName(); }, ViewCursors.BLINK_INTERVAL); } } }; // --- end blinking logic ViewCursors.prototype._updateDomClassName = function () { this._domNode.setClassName(this._getClassName()); }; ViewCursors.prototype._getClassName = function () { var result = 'cursors-layer'; if (!this._selectionIsEmpty) { result += ' has-selection'; } switch (this._cursorStyle) { case __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Line: result += ' cursor-line-style'; break; case __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Block: result += ' cursor-block-style'; break; case __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Underline: result += ' cursor-underline-style'; break; case __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].LineThin: result += ' cursor-line-thin-style'; break; case __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].BlockOutline: result += ' cursor-block-outline-style'; break; case __WEBPACK_IMPORTED_MODULE_5__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].UnderlineThin: result += ' cursor-underline-thin-style'; break; default: result += ' cursor-line-style'; } if (this._blinkingEnabled) { switch (this._getCursorBlinking()) { case 1 /* Blink */: result += ' cursor-blink'; break; case 2 /* Smooth */: result += ' cursor-smooth'; break; case 3 /* Phase */: result += ' cursor-phase'; break; case 4 /* Expand */: result += ' cursor-expand'; break; case 5 /* Solid */: result += ' cursor-solid'; break; default: result += ' cursor-solid'; } } else { result += ' cursor-solid'; } if (this._cursorSmoothCaretAnimation) { result += ' cursor-smooth-caret-animation'; } return result; }; ViewCursors.prototype._show = function () { this._primaryCursor.show(); for (var i = 0, len = this._secondaryCursors.length; i < len; i++) { this._secondaryCursors[i].show(); } this._isVisible = true; }; ViewCursors.prototype._hide = function () { this._primaryCursor.hide(); for (var i = 0, len = this._secondaryCursors.length; i < len; i++) { this._secondaryCursors[i].hide(); } this._isVisible = false; }; // ---- IViewPart implementation ViewCursors.prototype.prepareRender = function (ctx) { this._primaryCursor.prepareRender(ctx); for (var i = 0, len = this._secondaryCursors.length; i < len; i++) { this._secondaryCursors[i].prepareRender(ctx); } }; ViewCursors.prototype.render = function (ctx) { var renderData = [], renderDataLen = 0; var primaryRenderData = this._primaryCursor.render(ctx); if (primaryRenderData) { renderData[renderDataLen++] = primaryRenderData; } for (var i = 0, len = this._secondaryCursors.length; i < len; i++) { var secondaryRenderData = this._secondaryCursors[i].render(ctx); if (secondaryRenderData) { renderData[renderDataLen++] = secondaryRenderData; } } this._renderData = renderData; }; ViewCursors.prototype.getLastRenderData = function () { return this._renderData; }; ViewCursors.BLINK_INTERVAL = 500; return ViewCursors; }(__WEBPACK_IMPORTED_MODULE_3__view_viewPart_js__["b" /* ViewPart */])); Object(__WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var caret = theme.getColor(__WEBPACK_IMPORTED_MODULE_6__common_view_editorColorRegistry_js__["d" /* editorCursorForeground */]); if (caret) { var caretBackground = theme.getColor(__WEBPACK_IMPORTED_MODULE_6__common_view_editorColorRegistry_js__["c" /* editorCursorBackground */]); if (!caretBackground) { caretBackground = caret.opposite(); } collector.addRule(".monaco-editor .cursor { background-color: " + caret + "; border-color: " + caret + "; color: " + caretBackground + "; }"); if (theme.type === 'hc') { collector.addRule(".monaco-editor .cursors-layer.has-selection .cursor { border-left: 1px solid " + caretBackground + "; border-right: 1px solid " + caretBackground + "; }"); } } }); /***/ }), /***/ 2006: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2007); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2007: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-editor .cursors-layer{position:absolute;top:0}.monaco-editor .cursors-layer>.cursor{position:absolute;cursor:text;overflow:hidden}.monaco-editor .cursors-layer.cursor-smooth-caret-animation>.cursor{-webkit-transition:80ms;-o-transition:80ms;transition:80ms}.monaco-editor .cursors-layer.cursor-block-outline-style>.cursor{-webkit-box-sizing:border-box;box-sizing:border-box;background:transparent!important;border-style:solid;border-width:1px}.monaco-editor .cursors-layer.cursor-underline-style>.cursor{border-bottom-width:2px;border-bottom-style:solid;background:transparent!important;-webkit-box-sizing:border-box;box-sizing:border-box}.monaco-editor .cursors-layer.cursor-underline-thin-style>.cursor{border-bottom-width:1px;border-bottom-style:solid;background:transparent!important;-webkit-box-sizing:border-box;box-sizing:border-box}@-webkit-keyframes monaco-cursor-smooth{0%,20%{opacity:1}60%,to{opacity:0}}@keyframes monaco-cursor-smooth{0%,20%{opacity:1}60%,to{opacity:0}}@-webkit-keyframes monaco-cursor-phase{0%,20%{opacity:1}90%,to{opacity:0}}@keyframes monaco-cursor-phase{0%,20%{opacity:1}90%,to{opacity:0}}@-webkit-keyframes monaco-cursor-expand{0%,20%{-webkit-transform:scaleY(1);transform:scaleY(1)}80%,to{-webkit-transform:scaleY(0);transform:scaleY(0)}}@keyframes monaco-cursor-expand{0%,20%{-webkit-transform:scaleY(1);transform:scaleY(1)}80%,to{-webkit-transform:scaleY(0);transform:scaleY(0)}}.cursor-smooth{-webkit-animation:monaco-cursor-smooth .5s ease-in-out 0s 20 alternate;animation:monaco-cursor-smooth .5s ease-in-out 0s 20 alternate}.cursor-phase{-webkit-animation:monaco-cursor-phase .5s ease-in-out 0s 20 alternate;animation:monaco-cursor-phase .5s ease-in-out 0s 20 alternate}.cursor-expand>.cursor{-webkit-animation:monaco-cursor-expand .5s ease-in-out 0s 20 alternate;animation:monaco-cursor-expand .5s ease-in-out 0s 20 alternate}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/viewParts/viewCursors/viewCursors.css"],"names":[],"mappings":"AAIA,8BACC,kBAAmB,AACnB,KAAO,CACP,AAED,sCACC,kBAAmB,AACnB,YAAa,AACb,eAAiB,CACjB,AAGD,oEACC,wBAAyB,AACzB,mBAAoB,AACpB,eAAiB,CACjB,AAGD,iEACC,8BAA+B,AACvB,sBAAuB,AAC/B,iCAAmC,AACnC,mBAAoB,AACpB,gBAAkB,CAClB,AAGD,6DACC,wBAAyB,AACzB,0BAA2B,AAC3B,iCAAmC,AACnC,8BAA+B,AACvB,qBAAuB,CAC/B,AAGD,kEACC,wBAAyB,AACzB,0BAA2B,AAC3B,iCAAmC,AACnC,8BAA+B,AACvB,qBAAuB,CAC/B,AAED,wCACC,OAEC,SAAW,CACX,AACD,OAEC,SAAW,CACX,CACD,AAED,gCACC,OAEC,SAAW,CACX,AACD,OAEC,SAAW,CACX,CACD,AAED,uCACC,OAEC,SAAW,CACX,AACD,OAEC,SAAW,CACX,CACD,AAED,+BACC,OAEC,SAAW,CACX,AACD,OAEC,SAAW,CACX,CACD,AAED,wCACC,OAEC,4BAA6B,AACrB,mBAAqB,CAC7B,AACD,OAEC,4BAA6B,AACrB,mBAAqB,CAC7B,CACD,AAED,gCACC,OAEC,4BAA6B,AACrB,mBAAqB,CAC7B,AACD,OAEC,4BAA6B,AACrB,mBAAqB,CAC7B,CACD,AAED,eACC,uEAAyE,AACjE,8DAAiE,CACzE,AAED,cACC,sEAAwE,AAChE,6DAAgE,CACxE,AAED,uBACC,uEAAyE,AACjE,8DAAiE,CACzE","file":"viewCursors.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n.monaco-editor .cursors-layer {\n\tposition: absolute;\n\ttop: 0;\n}\n\n.monaco-editor .cursors-layer > .cursor {\n\tposition: absolute;\n\tcursor: text;\n\toverflow: hidden;\n}\n\n/* -- smooth-caret-animation -- */\n.monaco-editor .cursors-layer.cursor-smooth-caret-animation > .cursor {\n\t-webkit-transition: 80ms;\n\t-o-transition: 80ms;\n\ttransition: 80ms;\n}\n\n/* -- block-outline-style -- */\n.monaco-editor .cursors-layer.cursor-block-outline-style > .cursor {\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\tbackground: transparent !important;\n\tborder-style: solid;\n\tborder-width: 1px;\n}\n\n/* -- underline-style -- */\n.monaco-editor .cursors-layer.cursor-underline-style > .cursor {\n\tborder-bottom-width: 2px;\n\tborder-bottom-style: solid;\n\tbackground: transparent !important;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n}\n\n/* -- underline-thin-style -- */\n.monaco-editor .cursors-layer.cursor-underline-thin-style > .cursor {\n\tborder-bottom-width: 1px;\n\tborder-bottom-style: solid;\n\tbackground: transparent !important;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n}\n\n@-webkit-keyframes monaco-cursor-smooth {\n\t0%,\n\t20% {\n\t\topacity: 1;\n\t}\n\t60%,\n\t100% {\n\t\topacity: 0;\n\t}\n}\n\n@keyframes monaco-cursor-smooth {\n\t0%,\n\t20% {\n\t\topacity: 1;\n\t}\n\t60%,\n\t100% {\n\t\topacity: 0;\n\t}\n}\n\n@-webkit-keyframes monaco-cursor-phase {\n\t0%,\n\t20% {\n\t\topacity: 1;\n\t}\n\t90%,\n\t100% {\n\t\topacity: 0;\n\t}\n}\n\n@keyframes monaco-cursor-phase {\n\t0%,\n\t20% {\n\t\topacity: 1;\n\t}\n\t90%,\n\t100% {\n\t\topacity: 0;\n\t}\n}\n\n@-webkit-keyframes monaco-cursor-expand {\n\t0%,\n\t20% {\n\t\t-webkit-transform: scaleY(1);\n\t\t transform: scaleY(1);\n\t}\n\t80%,\n\t100% {\n\t\t-webkit-transform: scaleY(0);\n\t\t transform: scaleY(0);\n\t}\n}\n\n@keyframes monaco-cursor-expand {\n\t0%,\n\t20% {\n\t\t-webkit-transform: scaleY(1);\n\t\t transform: scaleY(1);\n\t}\n\t80%,\n\t100% {\n\t\t-webkit-transform: scaleY(0);\n\t\t transform: scaleY(0);\n\t}\n}\n\n.cursor-smooth {\n\t-webkit-animation: monaco-cursor-smooth 0.5s ease-in-out 0s 20 alternate;\n\t animation: monaco-cursor-smooth 0.5s ease-in-out 0s 20 alternate;\n}\n\n.cursor-phase {\n\t-webkit-animation: monaco-cursor-phase 0.5s ease-in-out 0s 20 alternate;\n\t animation: monaco-cursor-phase 0.5s ease-in-out 0s 20 alternate;\n}\n\n.cursor-expand > .cursor {\n\t-webkit-animation: monaco-cursor-expand 0.5s ease-in-out 0s 20 alternate;\n\t animation: monaco-cursor-expand 0.5s ease-in-out 0s 20 alternate;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2008: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewCursor; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ViewCursorRenderData = /** @class */ (function () { function ViewCursorRenderData(top, left, width, height, textContent, textContentClassName) { this.top = top; this.left = left; this.width = width; this.height = height; this.textContent = textContent; this.textContentClassName = textContentClassName; } return ViewCursorRenderData; }()); var ViewCursor = /** @class */ (function () { function ViewCursor(context) { this._context = context; this._cursorStyle = this._context.configuration.editor.viewInfo.cursorStyle; this._lineHeight = this._context.configuration.editor.lineHeight; this._typicalHalfwidthCharacterWidth = this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; this._lineCursorWidth = Math.min(this._context.configuration.editor.viewInfo.cursorWidth, this._typicalHalfwidthCharacterWidth); this._isVisible = true; // Create the dom node this._domNode = Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); this._domNode.setClassName('cursor'); this._domNode.setHeight(this._lineHeight); this._domNode.setTop(0); this._domNode.setLeft(0); __WEBPACK_IMPORTED_MODULE_3__config_configuration_js__["a" /* Configuration */].applyFontInfo(this._domNode, this._context.configuration.editor.fontInfo); this._domNode.setDisplay('none'); this.updatePosition(new __WEBPACK_IMPORTED_MODULE_5__common_core_position_js__["a" /* Position */](1, 1)); this._lastRenderedContent = ''; this._renderData = null; } ViewCursor.prototype.getDomNode = function () { return this._domNode; }; ViewCursor.prototype.getPosition = function () { return this._position; }; ViewCursor.prototype.show = function () { if (!this._isVisible) { this._domNode.setVisibility('inherit'); this._isVisible = true; } }; ViewCursor.prototype.hide = function () { if (this._isVisible) { this._domNode.setVisibility('hidden'); this._isVisible = false; } }; ViewCursor.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; } if (e.fontInfo) { __WEBPACK_IMPORTED_MODULE_3__config_configuration_js__["a" /* Configuration */].applyFontInfo(this._domNode, this._context.configuration.editor.fontInfo); this._typicalHalfwidthCharacterWidth = this._context.configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; } if (e.viewInfo) { this._cursorStyle = this._context.configuration.editor.viewInfo.cursorStyle; this._lineCursorWidth = Math.min(this._context.configuration.editor.viewInfo.cursorWidth, this._typicalHalfwidthCharacterWidth); } return true; }; ViewCursor.prototype.onCursorPositionChanged = function (position) { this.updatePosition(position); return true; }; ViewCursor.prototype._prepareRender = function (ctx) { var textContent = ''; var textContentClassName = ''; if (this._cursorStyle === __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Line || this._cursorStyle === __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].LineThin) { var visibleRange = ctx.visibleRangeForPosition(this._position); if (!visibleRange) { // Outside viewport return null; } var width_1; if (this._cursorStyle === __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Line) { width_1 = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["n" /* computeScreenAwareSize */](this._lineCursorWidth > 0 ? this._lineCursorWidth : 2); if (width_1 > 2) { var lineContent = this._context.model.getLineContent(this._position.lineNumber); textContent = lineContent.charAt(this._position.column - 1); } } else { width_1 = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["n" /* computeScreenAwareSize */](1); } var left = visibleRange.left; if (width_1 >= 2 && left >= 1) { // try to center cursor left -= 1; } var top_1 = ctx.getVerticalOffsetForLineNumber(this._position.lineNumber) - ctx.bigNumbersDelta; return new ViewCursorRenderData(top_1, left, width_1, this._lineHeight, textContent, textContentClassName); } var visibleRangeForCharacter = ctx.linesVisibleRangesForRange(new __WEBPACK_IMPORTED_MODULE_6__common_core_range_js__["a" /* Range */](this._position.lineNumber, this._position.column, this._position.lineNumber, this._position.column + 1), false); if (!visibleRangeForCharacter || visibleRangeForCharacter.length === 0 || visibleRangeForCharacter[0].ranges.length === 0) { // Outside viewport return null; } var range = visibleRangeForCharacter[0].ranges[0]; var width = range.width < 1 ? this._typicalHalfwidthCharacterWidth : range.width; if (this._cursorStyle === __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Block) { var lineData = this._context.model.getViewLineData(this._position.lineNumber); textContent = lineData.content.charAt(this._position.column - 1); if (__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["t" /* isHighSurrogate */](lineData.content.charCodeAt(this._position.column - 1))) { textContent += lineData.content.charAt(this._position.column); } var tokenIndex = lineData.tokens.findTokenIndexAtOffset(this._position.column - 1); textContentClassName = lineData.tokens.getClassName(tokenIndex); } var top = ctx.getVerticalOffsetForLineNumber(this._position.lineNumber) - ctx.bigNumbersDelta; var height = this._lineHeight; // Underline might interfere with clicking if (this._cursorStyle === __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].Underline || this._cursorStyle === __WEBPACK_IMPORTED_MODULE_4__common_config_editorOptions_js__["g" /* TextEditorCursorStyle */].UnderlineThin) { top += this._lineHeight - 2; height = 2; } return new ViewCursorRenderData(top, range.left, width, height, textContent, textContentClassName); }; ViewCursor.prototype.prepareRender = function (ctx) { this._renderData = this._prepareRender(ctx); }; ViewCursor.prototype.render = function (ctx) { if (!this._renderData) { this._domNode.setDisplay('none'); return null; } if (this._lastRenderedContent !== this._renderData.textContent) { this._lastRenderedContent = this._renderData.textContent; this._domNode.domNode.textContent = this._lastRenderedContent; } this._domNode.setClassName('cursor ' + this._renderData.textContentClassName); this._domNode.setDisplay('block'); this._domNode.setTop(this._renderData.top); this._domNode.setLeft(this._renderData.left); this._domNode.setWidth(this._renderData.width); this._domNode.setLineHeight(this._renderData.height); this._domNode.setHeight(this._renderData.height); return { domNode: this._domNode.domNode, position: this._position, contentLeft: this._renderData.left, height: this._renderData.height, width: 2 }; }; ViewCursor.prototype.updatePosition = function (newPosition) { this._position = newPosition; }; return ViewCursor; }()); /***/ }), /***/ 2009: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewZones; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__ = __webpack_require__(1078); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__ = __webpack_require__(854); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewZones = /** @class */ (function (_super) { __extends(ViewZones, _super); function ViewZones(context) { var _this = _super.call(this, context) || this; _this._lineHeight = _this._context.configuration.editor.lineHeight; _this._contentWidth = _this._context.configuration.editor.layoutInfo.contentWidth; _this._contentLeft = _this._context.configuration.editor.layoutInfo.contentLeft; _this.domNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.domNode.setClassName('view-zones'); _this.domNode.setPosition('absolute'); _this.domNode.setAttribute('role', 'presentation'); _this.domNode.setAttribute('aria-hidden', 'true'); _this.marginDomNode = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.marginDomNode.setClassName('margin-view-zones'); _this.marginDomNode.setPosition('absolute'); _this.marginDomNode.setAttribute('role', 'presentation'); _this.marginDomNode.setAttribute('aria-hidden', 'true'); _this._zones = {}; return _this; } ViewZones.prototype.dispose = function () { _super.prototype.dispose.call(this); this._zones = {}; }; // ---- begin view event handlers ViewZones.prototype._recomputeWhitespacesProps = function () { var hadAChange = false; var keys = Object.keys(this._zones); for (var i = 0, len = keys.length; i < len; i++) { var id = keys[i]; var zone = this._zones[id]; var props = this._computeWhitespaceProps(zone.delegate); if (this._context.viewLayout.changeWhitespace(parseInt(id, 10), props.afterViewLineNumber, props.heightInPx)) { this._safeCallOnComputedHeight(zone.delegate, props.heightInPx); hadAChange = true; } } return hadAChange; }; ViewZones.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._lineHeight = this._context.configuration.editor.lineHeight; return this._recomputeWhitespacesProps(); } if (e.layoutInfo) { this._contentWidth = this._context.configuration.editor.layoutInfo.contentWidth; this._contentLeft = this._context.configuration.editor.layoutInfo.contentLeft; } return true; }; ViewZones.prototype.onLineMappingChanged = function (e) { var hadAChange = this._recomputeWhitespacesProps(); if (hadAChange) { this._context.viewLayout.onHeightMaybeChanged(); } return hadAChange; }; ViewZones.prototype.onLinesDeleted = function (e) { return true; }; ViewZones.prototype.onScrollChanged = function (e) { return e.scrollTopChanged || e.scrollWidthChanged; }; ViewZones.prototype.onZonesChanged = function (e) { return true; }; ViewZones.prototype.onLinesInserted = function (e) { return true; }; // ---- end view event handlers ViewZones.prototype._getZoneOrdinal = function (zone) { if (typeof zone.afterColumn !== 'undefined') { return zone.afterColumn; } return 10000; }; ViewZones.prototype._computeWhitespaceProps = function (zone) { if (zone.afterLineNumber === 0) { return { afterViewLineNumber: 0, heightInPx: this._heightInPixels(zone), minWidthInPx: this._minWidthInPixels(zone) }; } var zoneAfterModelPosition; if (typeof zone.afterColumn !== 'undefined') { zoneAfterModelPosition = this._context.model.validateModelPosition({ lineNumber: zone.afterLineNumber, column: zone.afterColumn }); } else { var validAfterLineNumber = this._context.model.validateModelPosition({ lineNumber: zone.afterLineNumber, column: 1 }).lineNumber; zoneAfterModelPosition = new __WEBPACK_IMPORTED_MODULE_3__common_core_position_js__["a" /* Position */](validAfterLineNumber, this._context.model.getModelLineMaxColumn(validAfterLineNumber)); } var zoneBeforeModelPosition; if (zoneAfterModelPosition.column === this._context.model.getModelLineMaxColumn(zoneAfterModelPosition.lineNumber)) { zoneBeforeModelPosition = this._context.model.validateModelPosition({ lineNumber: zoneAfterModelPosition.lineNumber + 1, column: 1 }); } else { zoneBeforeModelPosition = this._context.model.validateModelPosition({ lineNumber: zoneAfterModelPosition.lineNumber, column: zoneAfterModelPosition.column + 1 }); } var viewPosition = this._context.model.coordinatesConverter.convertModelPositionToViewPosition(zoneAfterModelPosition); var isVisible = this._context.model.coordinatesConverter.modelPositionIsVisible(zoneBeforeModelPosition); return { afterViewLineNumber: viewPosition.lineNumber, heightInPx: (isVisible ? this._heightInPixels(zone) : 0), minWidthInPx: this._minWidthInPixels(zone) }; }; ViewZones.prototype.addZone = function (zone) { var props = this._computeWhitespaceProps(zone); var whitespaceId = this._context.viewLayout.addWhitespace(props.afterViewLineNumber, this._getZoneOrdinal(zone), props.heightInPx, props.minWidthInPx); var myZone = { whitespaceId: whitespaceId, delegate: zone, isVisible: false, domNode: Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(zone.domNode), marginDomNode: zone.marginDomNode ? Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(zone.marginDomNode) : null }; this._safeCallOnComputedHeight(myZone.delegate, props.heightInPx); myZone.domNode.setPosition('absolute'); myZone.domNode.domNode.style.width = '100%'; myZone.domNode.setDisplay('none'); myZone.domNode.setAttribute('monaco-view-zone', myZone.whitespaceId.toString()); this.domNode.appendChild(myZone.domNode); if (myZone.marginDomNode) { myZone.marginDomNode.setPosition('absolute'); myZone.marginDomNode.domNode.style.width = '100%'; myZone.marginDomNode.setDisplay('none'); myZone.marginDomNode.setAttribute('monaco-view-zone', myZone.whitespaceId.toString()); this.marginDomNode.appendChild(myZone.marginDomNode); } this._zones[myZone.whitespaceId.toString()] = myZone; this.setShouldRender(); return myZone.whitespaceId; }; ViewZones.prototype.removeZone = function (id) { if (this._zones.hasOwnProperty(id.toString())) { var zone = this._zones[id.toString()]; delete this._zones[id.toString()]; this._context.viewLayout.removeWhitespace(zone.whitespaceId); zone.domNode.removeAttribute('monaco-visible-view-zone'); zone.domNode.removeAttribute('monaco-view-zone'); zone.domNode.domNode.parentNode.removeChild(zone.domNode.domNode); if (zone.marginDomNode) { zone.marginDomNode.removeAttribute('monaco-visible-view-zone'); zone.marginDomNode.removeAttribute('monaco-view-zone'); zone.marginDomNode.domNode.parentNode.removeChild(zone.marginDomNode.domNode); } this.setShouldRender(); return true; } return false; }; ViewZones.prototype.layoutZone = function (id) { var changed = false; if (this._zones.hasOwnProperty(id.toString())) { var zone = this._zones[id.toString()]; var props = this._computeWhitespaceProps(zone.delegate); // let newOrdinal = this._getZoneOrdinal(zone.delegate); changed = this._context.viewLayout.changeWhitespace(zone.whitespaceId, props.afterViewLineNumber, props.heightInPx) || changed; // TODO@Alex: change `newOrdinal` too if (changed) { this._safeCallOnComputedHeight(zone.delegate, props.heightInPx); this.setShouldRender(); } } return changed; }; ViewZones.prototype.shouldSuppressMouseDownOnViewZone = function (id) { if (this._zones.hasOwnProperty(id.toString())) { var zone = this._zones[id.toString()]; return Boolean(zone.delegate.suppressMouseDown); } return false; }; ViewZones.prototype._heightInPixels = function (zone) { if (typeof zone.heightInPx === 'number') { return zone.heightInPx; } if (typeof zone.heightInLines === 'number') { return this._lineHeight * zone.heightInLines; } return this._lineHeight; }; ViewZones.prototype._minWidthInPixels = function (zone) { if (typeof zone.minWidthInPx === 'number') { return zone.minWidthInPx; } return 0; }; ViewZones.prototype._safeCallOnComputedHeight = function (zone, height) { if (typeof zone.onComputedHeight === 'function') { try { zone.onComputedHeight(height); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(e); } } }; ViewZones.prototype._safeCallOnDomNodeTop = function (zone, top) { if (typeof zone.onDomNodeTop === 'function') { try { zone.onDomNodeTop(top); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(e); } } }; ViewZones.prototype.prepareRender = function (ctx) { // Nothing to read }; ViewZones.prototype.render = function (ctx) { var visibleWhitespaces = ctx.viewportData.whitespaceViewportData; var visibleZones = {}; var hasVisibleZone = false; for (var i = 0, len = visibleWhitespaces.length; i < len; i++) { visibleZones[visibleWhitespaces[i].id.toString()] = visibleWhitespaces[i]; hasVisibleZone = true; } var keys = Object.keys(this._zones); for (var i = 0, len = keys.length; i < len; i++) { var id = keys[i]; var zone = this._zones[id]; var newTop = 0; var newHeight = 0; var newDisplay = 'none'; if (visibleZones.hasOwnProperty(id)) { newTop = visibleZones[id].verticalOffset - ctx.bigNumbersDelta; newHeight = visibleZones[id].height; newDisplay = 'block'; // zone is visible if (!zone.isVisible) { zone.domNode.setAttribute('monaco-visible-view-zone', 'true'); zone.isVisible = true; } this._safeCallOnDomNodeTop(zone.delegate, ctx.getScrolledTopFromAbsoluteTop(visibleZones[id].verticalOffset)); } else { if (zone.isVisible) { zone.domNode.removeAttribute('monaco-visible-view-zone'); zone.isVisible = false; } this._safeCallOnDomNodeTop(zone.delegate, ctx.getScrolledTopFromAbsoluteTop(-1000000)); } zone.domNode.setTop(newTop); zone.domNode.setHeight(newHeight); zone.domNode.setDisplay(newDisplay); if (zone.marginDomNode) { zone.marginDomNode.setTop(newTop); zone.marginDomNode.setHeight(newHeight); zone.marginDomNode.setDisplay(newDisplay); } } if (hasVisibleZone) { this.domNode.setWidth(Math.max(ctx.scrollWidth, this._contentWidth)); this.marginDomNode.setWidth(this._contentLeft); } }; return ViewZones; }(__WEBPACK_IMPORTED_MODULE_2__view_viewPart_js__["b" /* ViewPart */])); /***/ }), /***/ 2010: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewContext; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ViewContext = /** @class */ (function () { function ViewContext(configuration, theme, model, privateViewEventBus) { this.configuration = configuration; this.theme = theme; this.model = model; this.viewLayout = model.viewLayout; this.privateViewEventBus = privateViewEventBus; } ViewContext.prototype.addEventHandler = function (eventHandler) { this.privateViewEventBus.addEventHandler(eventHandler); }; ViewContext.prototype.removeEventHandler = function (eventHandler) { this.privateViewEventBus.removeEventHandler(eventHandler); }; return ViewContext; }()); /***/ }), /***/ 2011: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewEventDispatcher; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ViewEventDispatcher = /** @class */ (function () { function ViewEventDispatcher(eventHandlerGateKeeper) { this._eventHandlerGateKeeper = eventHandlerGateKeeper; this._eventHandlers = []; this._eventQueue = null; this._isConsumingQueue = false; } ViewEventDispatcher.prototype.addEventHandler = function (eventHandler) { for (var i = 0, len = this._eventHandlers.length; i < len; i++) { if (this._eventHandlers[i] === eventHandler) { console.warn('Detected duplicate listener in ViewEventDispatcher', eventHandler); } } this._eventHandlers.push(eventHandler); }; ViewEventDispatcher.prototype.removeEventHandler = function (eventHandler) { for (var i = 0; i < this._eventHandlers.length; i++) { if (this._eventHandlers[i] === eventHandler) { this._eventHandlers.splice(i, 1); break; } } }; ViewEventDispatcher.prototype.emit = function (event) { if (this._eventQueue) { this._eventQueue.push(event); } else { this._eventQueue = [event]; } if (!this._isConsumingQueue) { this.consumeQueue(); } }; ViewEventDispatcher.prototype.emitMany = function (events) { if (this._eventQueue) { this._eventQueue = this._eventQueue.concat(events); } else { this._eventQueue = events; } if (!this._isConsumingQueue) { this.consumeQueue(); } }; ViewEventDispatcher.prototype.consumeQueue = function () { var _this = this; this._eventHandlerGateKeeper(function () { try { _this._isConsumingQueue = true; _this._doConsumeQueue(); } finally { _this._isConsumingQueue = false; } }); }; ViewEventDispatcher.prototype._doConsumeQueue = function () { while (this._eventQueue) { // Empty event queue, as events might come in while sending these off var events = this._eventQueue; this._eventQueue = null; // Use a clone of the event handlers list, as they might remove themselves var eventHandlers = this._eventHandlers.slice(0); for (var i = 0, len = eventHandlers.length; i < len; i++) { eventHandlers[i].handleEvents(events); } } }; return ViewEventDispatcher; }()); /***/ }), /***/ 2012: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewportData; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_range_js__ = __webpack_require__(846); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Contains all data needed to render at a specific viewport. */ var ViewportData = /** @class */ (function () { function ViewportData(selections, partialData, whitespaceViewportData, model) { this.selections = selections; this.startLineNumber = partialData.startLineNumber | 0; this.endLineNumber = partialData.endLineNumber | 0; this.relativeVerticalOffset = partialData.relativeVerticalOffset; this.bigNumbersDelta = partialData.bigNumbersDelta | 0; this.whitespaceViewportData = whitespaceViewportData; this._model = model; this.visibleRange = new __WEBPACK_IMPORTED_MODULE_0__core_range_js__["a" /* Range */](partialData.startLineNumber, this._model.getLineMinColumn(partialData.startLineNumber), partialData.endLineNumber, this._model.getLineMaxColumn(partialData.endLineNumber)); } ViewportData.prototype.getViewLineRenderingData = function (lineNumber) { return this._model.getViewLineRenderingData(this.visibleRange, lineNumber); }; ViewportData.prototype.getDecorationsInViewport = function () { return this._model.getDecorationsInViewport(this.visibleRange); }; return ViewportData; }()); /***/ }), /***/ 2013: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewOutgoingEvents; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__controller_mouseTarget_js__ = __webpack_require__(1697); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ViewOutgoingEvents = /** @class */ (function (_super) { __extends(ViewOutgoingEvents, _super); function ViewOutgoingEvents(viewModel) { var _this = _super.call(this) || this; _this.onDidScroll = null; _this.onDidGainFocus = null; _this.onDidLoseFocus = null; _this.onKeyDown = null; _this.onKeyUp = null; _this.onContextMenu = null; _this.onMouseMove = null; _this.onMouseLeave = null; _this.onMouseUp = null; _this.onMouseDown = null; _this.onMouseDrag = null; _this.onMouseDrop = null; _this._viewModel = viewModel; return _this; } ViewOutgoingEvents.prototype.emitScrollChanged = function (e) { if (this.onDidScroll) { this.onDidScroll(e); } }; ViewOutgoingEvents.prototype.emitViewFocusGained = function () { if (this.onDidGainFocus) { this.onDidGainFocus(undefined); } }; ViewOutgoingEvents.prototype.emitViewFocusLost = function () { if (this.onDidLoseFocus) { this.onDidLoseFocus(undefined); } }; ViewOutgoingEvents.prototype.emitKeyDown = function (e) { if (this.onKeyDown) { this.onKeyDown(e); } }; ViewOutgoingEvents.prototype.emitKeyUp = function (e) { if (this.onKeyUp) { this.onKeyUp(e); } }; ViewOutgoingEvents.prototype.emitContextMenu = function (e) { if (this.onContextMenu) { this.onContextMenu(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype.emitMouseMove = function (e) { if (this.onMouseMove) { this.onMouseMove(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype.emitMouseLeave = function (e) { if (this.onMouseLeave) { this.onMouseLeave(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype.emitMouseUp = function (e) { if (this.onMouseUp) { this.onMouseUp(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype.emitMouseDown = function (e) { if (this.onMouseDown) { this.onMouseDown(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype.emitMouseDrag = function (e) { if (this.onMouseDrag) { this.onMouseDrag(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype.emitMouseDrop = function (e) { if (this.onMouseDrop) { this.onMouseDrop(this._convertViewToModelMouseEvent(e)); } }; ViewOutgoingEvents.prototype._convertViewToModelMouseEvent = function (e) { if (e.target) { return { event: e.event, target: this._convertViewToModelMouseTarget(e.target) }; } return e; }; ViewOutgoingEvents.prototype._convertViewToModelMouseTarget = function (target) { return new ExternalMouseTarget(target.element, target.type, target.mouseColumn, target.position ? this._convertViewToModelPosition(target.position) : null, target.range ? this._convertViewToModelRange(target.range) : null, target.detail); }; ViewOutgoingEvents.prototype._convertViewToModelPosition = function (viewPosition) { return this._viewModel.coordinatesConverter.convertViewPositionToModelPosition(viewPosition); }; ViewOutgoingEvents.prototype._convertViewToModelRange = function (viewRange) { return this._viewModel.coordinatesConverter.convertViewRangeToModelRange(viewRange); }; return ViewOutgoingEvents; }(__WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__["a" /* Disposable */])); var ExternalMouseTarget = /** @class */ (function () { function ExternalMouseTarget(element, type, mouseColumn, position, range, detail) { this.element = element; this.type = type; this.mouseColumn = mouseColumn; this.position = position; this.range = range; this.detail = detail; } ExternalMouseTarget.prototype.toString = function () { return __WEBPACK_IMPORTED_MODULE_1__controller_mouseTarget_js__["b" /* MouseTarget */].toString(this); }; return ExternalMouseTarget; }()); /***/ }), /***/ 2014: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export CursorStateChangedEvent */ /* unused harmony export CursorModelState */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Cursor; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__cursorCollection_js__ = __webpack_require__(2015); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__cursorDeleteOperations_js__ = __webpack_require__(1704); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__cursorTypeOperations_js__ = __webpack_require__(1707); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__core_selection_js__ = __webpack_require__(1148); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__editorCommon_js__ = __webpack_require__(1324); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__view_viewEvents_js__ = __webpack_require__(1359); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function containsLineMappingChanged(events) { for (var i = 0, len = events.length; i < len; i++) { if (events[i].type === 6 /* ViewLineMappingChanged */) { return true; } } return false; } var CursorStateChangedEvent = /** @class */ (function () { function CursorStateChangedEvent(selections, source, reason) { this.selections = selections; this.source = source; this.reason = reason; } return CursorStateChangedEvent; }()); /** * A snapshot of the cursor and the model state */ var CursorModelState = /** @class */ (function () { function CursorModelState(model, cursor) { this.modelVersionId = model.getVersionId(); this.cursorState = cursor.getAll(); } CursorModelState.prototype.equals = function (other) { if (!other) { return false; } if (this.modelVersionId !== other.modelVersionId) { return false; } if (this.cursorState.length !== other.cursorState.length) { return false; } for (var i = 0, len = this.cursorState.length; i < len; i++) { if (!this.cursorState[i].equals(other.cursorState[i])) { return false; } } return true; }; return CursorModelState; }()); var Cursor = /** @class */ (function (_super) { __extends(Cursor, _super); function Cursor(configuration, model, viewModel) { var _this = _super.call(this) || this; _this._onDidReachMaxCursorCount = _this._register(new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */]()); _this.onDidReachMaxCursorCount = _this._onDidReachMaxCursorCount.event; _this._onDidAttemptReadOnlyEdit = _this._register(new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */]()); _this.onDidAttemptReadOnlyEdit = _this._onDidAttemptReadOnlyEdit.event; _this._onDidChange = _this._register(new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */]()); _this.onDidChange = _this._onDidChange.event; _this._configuration = configuration; _this._model = model; _this._knownModelVersionId = _this._model.getVersionId(); _this._viewModel = viewModel; _this.context = new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["c" /* CursorContext */](_this._configuration, _this._model, _this._viewModel); _this._cursors = new __WEBPACK_IMPORTED_MODULE_4__cursorCollection_js__["a" /* CursorCollection */](_this.context); _this._isHandling = false; _this._isDoingComposition = false; _this._columnSelectData = null; _this._prevEditOperationType = 0 /* Other */; _this._register(_this._model.onDidChangeRawContent(function (e) { _this._knownModelVersionId = e.versionId; if (_this._isHandling) { return; } var hadFlushEvent = e.containsEvent(1 /* Flush */); _this._onModelContentChanged(hadFlushEvent); })); _this._register(viewModel.addEventListener(function (events) { if (!containsLineMappingChanged(events)) { return; } if (_this._knownModelVersionId !== _this._model.getVersionId()) { // There are model change events that I didn't yet receive. // // This can happen when editing the model, and the view model receives the change events first, // and the view model emits line mapping changed events, all before the cursor gets a chance to // recover from markers. // // The model change listener above will be called soon and we'll ensure a valid cursor state there. return; } // Ensure valid state _this.setStates('viewModel', 0 /* NotSet */, _this.getAll()); })); var updateCursorContext = function () { _this.context = new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["c" /* CursorContext */](_this._configuration, _this._model, _this._viewModel); _this._cursors.updateContext(_this.context); }; _this._register(_this._model.onDidChangeLanguage(function (e) { updateCursorContext(); })); _this._register(_this._model.onDidChangeLanguageConfiguration(function () { updateCursorContext(); })); _this._register(_this._model.onDidChangeOptions(function () { updateCursorContext(); })); _this._register(_this._configuration.onDidChange(function (e) { if (__WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["b" /* CursorConfiguration */].shouldRecreate(e)) { updateCursorContext(); } })); return _this; } Cursor.prototype.dispose = function () { this._cursors.dispose(); _super.prototype.dispose.call(this); }; // ------ some getters/setters Cursor.prototype.getPrimaryCursor = function () { return this._cursors.getPrimaryCursor(); }; Cursor.prototype.getLastAddedCursorIndex = function () { return this._cursors.getLastAddedCursorIndex(); }; Cursor.prototype.getAll = function () { return this._cursors.getAll(); }; Cursor.prototype.setStates = function (source, reason, states) { if (states !== null && states.length > Cursor.MAX_CURSOR_COUNT) { states = states.slice(0, Cursor.MAX_CURSOR_COUNT); this._onDidReachMaxCursorCount.fire(undefined); } var oldState = new CursorModelState(this._model, this); this._cursors.setStates(states); this._cursors.normalize(); this._columnSelectData = null; this._emitStateChangedIfNecessary(source, reason, oldState); }; Cursor.prototype.setColumnSelectData = function (columnSelectData) { this._columnSelectData = columnSelectData; }; Cursor.prototype.reveal = function (horizontal, target, scrollType) { this._revealRange(target, 0 /* Simple */, horizontal, scrollType); }; Cursor.prototype.revealRange = function (revealHorizontal, viewRange, verticalType, scrollType) { this.emitCursorRevealRange(viewRange, verticalType, revealHorizontal, scrollType); }; Cursor.prototype.scrollTo = function (desiredScrollTop) { this._viewModel.viewLayout.setScrollPositionSmooth({ scrollTop: desiredScrollTop }); }; Cursor.prototype.saveState = function () { var result = []; var selections = this._cursors.getSelections(); for (var i = 0, len = selections.length; i < len; i++) { var selection = selections[i]; result.push({ inSelectionMode: !selection.isEmpty(), selectionStart: { lineNumber: selection.selectionStartLineNumber, column: selection.selectionStartColumn, }, position: { lineNumber: selection.positionLineNumber, column: selection.positionColumn, } }); } return result; }; Cursor.prototype.restoreState = function (states) { var desiredSelections = []; for (var i = 0, len = states.length; i < len; i++) { var state = states[i]; var positionLineNumber = 1; var positionColumn = 1; // Avoid missing properties on the literal if (state.position && state.position.lineNumber) { positionLineNumber = state.position.lineNumber; } if (state.position && state.position.column) { positionColumn = state.position.column; } var selectionStartLineNumber = positionLineNumber; var selectionStartColumn = positionColumn; // Avoid missing properties on the literal if (state.selectionStart && state.selectionStart.lineNumber) { selectionStartLineNumber = state.selectionStart.lineNumber; } if (state.selectionStart && state.selectionStart.column) { selectionStartColumn = state.selectionStart.column; } desiredSelections.push({ selectionStartLineNumber: selectionStartLineNumber, selectionStartColumn: selectionStartColumn, positionLineNumber: positionLineNumber, positionColumn: positionColumn }); } this.setStates('restoreState', 0 /* NotSet */, __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["d" /* CursorState */].fromModelSelections(desiredSelections)); this.reveal(true, 0 /* Primary */, 1 /* Immediate */); }; Cursor.prototype._onModelContentChanged = function (hadFlushEvent) { this._prevEditOperationType = 0 /* Other */; if (hadFlushEvent) { // a model.setValue() was called this._cursors.dispose(); this._cursors = new __WEBPACK_IMPORTED_MODULE_4__cursorCollection_js__["a" /* CursorCollection */](this.context); this._emitStateChangedIfNecessary('model', 1 /* ContentFlush */, null); } else { var selectionsFromMarkers = this._cursors.readSelectionFromMarkers(); this.setStates('modelChange', 2 /* RecoverFromMarkers */, __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["d" /* CursorState */].fromModelSelections(selectionsFromMarkers)); } }; Cursor.prototype.getSelection = function () { return this._cursors.getPrimaryCursor().modelState.selection; }; Cursor.prototype.getColumnSelectData = function () { if (this._columnSelectData) { return this._columnSelectData; } var primaryCursor = this._cursors.getPrimaryCursor(); var primaryPos = primaryCursor.viewState.position; return { toViewLineNumber: primaryPos.lineNumber, toViewVisualColumn: __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["a" /* CursorColumns */].visibleColumnFromColumn2(this.context.config, this.context.viewModel, primaryPos) }; }; Cursor.prototype.getSelections = function () { return this._cursors.getSelections(); }; Cursor.prototype.getViewSelections = function () { return this._cursors.getViewSelections(); }; Cursor.prototype.getPosition = function () { return this._cursors.getPrimaryCursor().modelState.position; }; Cursor.prototype.setSelections = function (source, selections) { this.setStates(source, 0 /* NotSet */, __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["d" /* CursorState */].fromModelSelections(selections)); }; Cursor.prototype.getPrevEditOperationType = function () { return this._prevEditOperationType; }; Cursor.prototype.setPrevEditOperationType = function (type) { this._prevEditOperationType = type; }; // ------ auxiliary handling logic Cursor.prototype._executeEditOperation = function (opResult) { if (!opResult) { // Nothing to execute return; } if (opResult.shouldPushStackElementBefore) { this._model.pushStackElement(); } var result = CommandExecutor.executeCommands(this._model, this._cursors.getSelections(), opResult.commands); if (result) { // The commands were applied correctly this._interpretCommandResult(result); this._prevEditOperationType = opResult.type; } if (opResult.shouldPushStackElementAfter) { this._model.pushStackElement(); } }; Cursor.prototype._interpretCommandResult = function (cursorState) { if (!cursorState || cursorState.length === 0) { cursorState = this._cursors.readSelectionFromMarkers(); } this._columnSelectData = null; this._cursors.setSelections(cursorState); this._cursors.normalize(); }; // ----------------------------------------------------------------------------------------------------------- // ----- emitting events Cursor.prototype._emitStateChangedIfNecessary = function (source, reason, oldState) { var newState = new CursorModelState(this._model, this); if (newState.equals(oldState)) { return false; } var selections = this._cursors.getSelections(); var viewSelections = this._cursors.getViewSelections(); // Let the view get the event first. try { var eventsCollector = this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_11__view_viewEvents_js__["b" /* ViewCursorStateChangedEvent */](viewSelections)); } finally { this._endEmit(); } // Only after the view has been notified, let the rest of the world know... if (!oldState || oldState.cursorState.length !== newState.cursorState.length || newState.cursorState.some(function (newCursorState, i) { return !newCursorState.modelState.equals(oldState.cursorState[i].modelState); })) { this._onDidChange.fire(new CursorStateChangedEvent(selections, source || 'keyboard', reason)); } return true; }; Cursor.prototype._revealRange = function (revealTarget, verticalType, revealHorizontal, scrollType) { var viewPositions = this._cursors.getViewPositions(); var viewPosition = viewPositions[0]; if (revealTarget === 1 /* TopMost */) { for (var i = 1; i < viewPositions.length; i++) { if (viewPositions[i].isBefore(viewPosition)) { viewPosition = viewPositions[i]; } } } else if (revealTarget === 2 /* BottomMost */) { for (var i = 1; i < viewPositions.length; i++) { if (viewPosition.isBeforeOrEqual(viewPositions[i])) { viewPosition = viewPositions[i]; } } } else { if (viewPositions.length > 1) { // no revealing! return; } } var viewRange = new __WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */](viewPosition.lineNumber, viewPosition.column, viewPosition.lineNumber, viewPosition.column); this.emitCursorRevealRange(viewRange, verticalType, revealHorizontal, scrollType); }; Cursor.prototype.emitCursorRevealRange = function (viewRange, verticalType, revealHorizontal, scrollType) { try { var eventsCollector = this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_11__view_viewEvents_js__["l" /* ViewRevealRangeRequestEvent */](viewRange, verticalType, revealHorizontal, scrollType)); } finally { this._endEmit(); } }; // ----------------------------------------------------------------------------------------------------------- // ----- handlers beyond this point Cursor.prototype.trigger = function (source, handlerId, payload) { var H = __WEBPACK_IMPORTED_MODULE_10__editorCommon_js__["b" /* Handler */]; if (handlerId === H.CompositionStart) { this._isDoingComposition = true; return; } if (handlerId === H.CompositionEnd) { this._isDoingComposition = false; } if (this._configuration.editor.readOnly) { // All the remaining handlers will try to edit the model, // but we cannot edit when read only... this._onDidAttemptReadOnlyEdit.fire(undefined); return; } var oldState = new CursorModelState(this._model, this); var cursorChangeReason = 0 /* NotSet */; if (handlerId !== H.Undo && handlerId !== H.Redo) { // TODO@Alex: if the undo/redo stack contains non-null selections // it would also be OK to stop tracking selections here this._cursors.stopTrackingSelections(); } // ensure valid state on all cursors this._cursors.ensureValidState(); this._isHandling = true; try { switch (handlerId) { case H.Type: this._type(source, payload.text); break; case H.ReplacePreviousChar: this._replacePreviousChar(payload.text, payload.replaceCharCnt); break; case H.Paste: cursorChangeReason = 4 /* Paste */; this._paste(payload.text, payload.pasteOnNewLine, payload.multicursorText); break; case H.Cut: this._cut(); break; case H.Undo: cursorChangeReason = 5 /* Undo */; this._interpretCommandResult(this._model.undo()); break; case H.Redo: cursorChangeReason = 6 /* Redo */; this._interpretCommandResult(this._model.redo()); break; case H.ExecuteCommand: this._externalExecuteCommand(payload); break; case H.ExecuteCommands: this._externalExecuteCommands(payload); break; case H.CompositionEnd: this._interpretCompositionEnd(source); break; } } catch (err) { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(err); } this._isHandling = false; if (handlerId !== H.Undo && handlerId !== H.Redo) { this._cursors.startTrackingSelections(); } if (this._emitStateChangedIfNecessary(source, cursorChangeReason, oldState)) { this._revealRange(0 /* Primary */, 0 /* Simple */, true, 0 /* Smooth */); } }; Cursor.prototype._interpretCompositionEnd = function (source) { if (!this._isDoingComposition && source === 'keyboard') { // composition finishes, let's check if we need to auto complete if necessary. this._executeEditOperation(__WEBPACK_IMPORTED_MODULE_7__cursorTypeOperations_js__["a" /* TypeOperations */].compositionEndWithInterceptors(this._prevEditOperationType, this.context.config, this.context.model, this.getSelections())); } }; Cursor.prototype._type = function (source, text) { if (!this._isDoingComposition && source === 'keyboard') { // If this event is coming straight from the keyboard, look for electric characters and enter for (var i = 0, len = text.length; i < len; i++) { var charCode = text.charCodeAt(i); var chr = void 0; if (__WEBPACK_IMPORTED_MODULE_3__base_common_strings_js__["t" /* isHighSurrogate */](charCode) && i + 1 < len) { chr = text.charAt(i) + text.charAt(i + 1); i++; } else { chr = text.charAt(i); } // Here we must interpret each typed character individually, that's why we create a new context this._executeEditOperation(__WEBPACK_IMPORTED_MODULE_7__cursorTypeOperations_js__["a" /* TypeOperations */].typeWithInterceptors(this._prevEditOperationType, this.context.config, this.context.model, this.getSelections(), chr)); } } else { this._executeEditOperation(__WEBPACK_IMPORTED_MODULE_7__cursorTypeOperations_js__["a" /* TypeOperations */].typeWithoutInterceptors(this._prevEditOperationType, this.context.config, this.context.model, this.getSelections(), text)); } }; Cursor.prototype._replacePreviousChar = function (text, replaceCharCnt) { this._executeEditOperation(__WEBPACK_IMPORTED_MODULE_7__cursorTypeOperations_js__["a" /* TypeOperations */].replacePreviousChar(this._prevEditOperationType, this.context.config, this.context.model, this.getSelections(), text, replaceCharCnt)); }; Cursor.prototype._paste = function (text, pasteOnNewLine, multicursorText) { this._executeEditOperation(__WEBPACK_IMPORTED_MODULE_7__cursorTypeOperations_js__["a" /* TypeOperations */].paste(this.context.config, this.context.model, this.getSelections(), text, pasteOnNewLine, multicursorText)); }; Cursor.prototype._cut = function () { this._executeEditOperation(__WEBPACK_IMPORTED_MODULE_6__cursorDeleteOperations_js__["a" /* DeleteOperations */].cut(this.context.config, this.context.model, this.getSelections())); }; Cursor.prototype._externalExecuteCommand = function (command) { this._cursors.killSecondaryCursors(); this._executeEditOperation(new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](0 /* Other */, [command], { shouldPushStackElementBefore: false, shouldPushStackElementAfter: false })); }; Cursor.prototype._externalExecuteCommands = function (commands) { this._executeEditOperation(new __WEBPACK_IMPORTED_MODULE_5__cursorCommon_js__["e" /* EditOperationResult */](0 /* Other */, commands, { shouldPushStackElementBefore: false, shouldPushStackElementAfter: false })); }; Cursor.MAX_CURSOR_COUNT = 10000; return Cursor; }(__WEBPACK_IMPORTED_MODULE_11__view_viewEvents_js__["d" /* ViewEventEmitter */])); var CommandExecutor = /** @class */ (function () { function CommandExecutor() { } CommandExecutor.executeCommands = function (model, selectionsBefore, commands) { var ctx = { model: model, selectionsBefore: selectionsBefore, trackedRanges: [], trackedRangesDirection: [] }; var result = this._innerExecuteCommands(ctx, commands); for (var i = 0, len = ctx.trackedRanges.length; i < len; i++) { ctx.model._setTrackedRange(ctx.trackedRanges[i], null, 0 /* AlwaysGrowsWhenTypingAtEdges */); } return result; }; CommandExecutor._innerExecuteCommands = function (ctx, commands) { if (this._arrayIsEmpty(commands)) { return null; } var commandsData = this._getEditOperations(ctx, commands); if (commandsData.operations.length === 0) { return null; } var rawOperations = commandsData.operations; var loserCursorsMap = this._getLoserCursorMap(rawOperations); if (loserCursorsMap.hasOwnProperty('0')) { // These commands are very messed up console.warn('Ignoring commands'); return null; } // Remove operations belonging to losing cursors var filteredOperations = []; for (var i = 0, len = rawOperations.length; i < len; i++) { if (!loserCursorsMap.hasOwnProperty(rawOperations[i].identifier.major.toString())) { filteredOperations.push(rawOperations[i]); } } // TODO@Alex: find a better way to do this. // give the hint that edit operations are tracked to the model if (commandsData.hadTrackedEditOperation && filteredOperations.length > 0) { filteredOperations[0]._isTracked = true; } var selectionsAfter = ctx.model.pushEditOperations(ctx.selectionsBefore, filteredOperations, function (inverseEditOperations) { var groupedInverseEditOperations = []; for (var i = 0; i < ctx.selectionsBefore.length; i++) { groupedInverseEditOperations[i] = []; } for (var _i = 0, inverseEditOperations_1 = inverseEditOperations; _i < inverseEditOperations_1.length; _i++) { var op = inverseEditOperations_1[_i]; if (!op.identifier) { // perhaps auto whitespace trim edits continue; } groupedInverseEditOperations[op.identifier.major].push(op); } var minorBasedSorter = function (a, b) { return a.identifier.minor - b.identifier.minor; }; var cursorSelections = []; var _loop_1 = function (i) { if (groupedInverseEditOperations[i].length > 0) { groupedInverseEditOperations[i].sort(minorBasedSorter); cursorSelections[i] = commands[i].computeCursorState(ctx.model, { getInverseEditOperations: function () { return groupedInverseEditOperations[i]; }, getTrackedSelection: function (id) { var idx = parseInt(id, 10); var range = ctx.model._getTrackedRange(ctx.trackedRanges[idx]); if (ctx.trackedRangesDirection[idx] === 0 /* LTR */) { return new __WEBPACK_IMPORTED_MODULE_9__core_selection_js__["a" /* Selection */](range.startLineNumber, range.startColumn, range.endLineNumber, range.endColumn); } return new __WEBPACK_IMPORTED_MODULE_9__core_selection_js__["a" /* Selection */](range.endLineNumber, range.endColumn, range.startLineNumber, range.startColumn); } }); } else { cursorSelections[i] = ctx.selectionsBefore[i]; } }; for (var i = 0; i < ctx.selectionsBefore.length; i++) { _loop_1(i); } return cursorSelections; }); if (!selectionsAfter) { selectionsAfter = ctx.selectionsBefore; } // Extract losing cursors var losingCursors = []; for (var losingCursorIndex in loserCursorsMap) { if (loserCursorsMap.hasOwnProperty(losingCursorIndex)) { losingCursors.push(parseInt(losingCursorIndex, 10)); } } // Sort losing cursors descending losingCursors.sort(function (a, b) { return b - a; }); // Remove losing cursors for (var _i = 0, losingCursors_1 = losingCursors; _i < losingCursors_1.length; _i++) { var losingCursor = losingCursors_1[_i]; selectionsAfter.splice(losingCursor, 1); } return selectionsAfter; }; CommandExecutor._arrayIsEmpty = function (commands) { for (var i = 0, len = commands.length; i < len; i++) { if (commands[i]) { return false; } } return true; }; CommandExecutor._getEditOperations = function (ctx, commands) { var operations = []; var hadTrackedEditOperation = false; for (var i = 0, len = commands.length; i < len; i++) { var command = commands[i]; if (command) { var r = this._getEditOperationsFromCommand(ctx, i, command); operations = operations.concat(r.operations); hadTrackedEditOperation = hadTrackedEditOperation || r.hadTrackedEditOperation; } } return { operations: operations, hadTrackedEditOperation: hadTrackedEditOperation }; }; CommandExecutor._getEditOperationsFromCommand = function (ctx, majorIdentifier, command) { // This method acts as a transaction, if the command fails // everything it has done is ignored var operations = []; var operationMinor = 0; var addEditOperation = function (selection, text) { if (selection.isEmpty() && text === '') { // This command wants to add a no-op => no thank you return; } operations.push({ identifier: { major: majorIdentifier, minor: operationMinor++ }, range: selection, text: text, forceMoveMarkers: false, isAutoWhitespaceEdit: command.insertsAutoWhitespace }); }; var hadTrackedEditOperation = false; var addTrackedEditOperation = function (selection, text) { hadTrackedEditOperation = true; addEditOperation(selection, text); }; var trackSelection = function (selection, trackPreviousOnEmpty) { var stickiness; if (selection.isEmpty()) { if (typeof trackPreviousOnEmpty === 'boolean') { if (trackPreviousOnEmpty) { stickiness = 2 /* GrowsOnlyWhenTypingBefore */; } else { stickiness = 3 /* GrowsOnlyWhenTypingAfter */; } } else { // Try to lock it with surrounding text var maxLineColumn = ctx.model.getLineMaxColumn(selection.startLineNumber); if (selection.startColumn === maxLineColumn) { stickiness = 2 /* GrowsOnlyWhenTypingBefore */; } else { stickiness = 3 /* GrowsOnlyWhenTypingAfter */; } } } else { stickiness = 1 /* NeverGrowsWhenTypingAtEdges */; } var l = ctx.trackedRanges.length; var id = ctx.model._setTrackedRange(null, selection, stickiness); ctx.trackedRanges[l] = id; ctx.trackedRangesDirection[l] = selection.getDirection(); return l.toString(); }; var editOperationBuilder = { addEditOperation: addEditOperation, addTrackedEditOperation: addTrackedEditOperation, trackSelection: trackSelection }; try { command.getEditOperations(ctx.model, editOperationBuilder); } catch (e) { e.friendlyMessage = __WEBPACK_IMPORTED_MODULE_0__nls_js__["a" /* localize */]('corrupt.commands', "Unexpected exception while executing command."); Object(__WEBPACK_IMPORTED_MODULE_1__base_common_errors_js__["e" /* onUnexpectedError */])(e); return { operations: [], hadTrackedEditOperation: false }; } return { operations: operations, hadTrackedEditOperation: hadTrackedEditOperation }; }; CommandExecutor._getLoserCursorMap = function (operations) { // This is destructive on the array operations = operations.slice(0); // Sort operations with last one first operations.sort(function (a, b) { // Note the minus! return -(__WEBPACK_IMPORTED_MODULE_8__core_range_js__["a" /* Range */].compareRangesUsingEnds(a.range, b.range)); }); // Operations can not overlap! var loserCursorsMap = {}; for (var i = 1; i < operations.length; i++) { var previousOp = operations[i - 1]; var currentOp = operations[i]; if (previousOp.range.getStartPosition().isBefore(currentOp.range.getEndPosition())) { var loserMajor = void 0; if (previousOp.identifier.major > currentOp.identifier.major) { // previousOp loses the battle loserMajor = previousOp.identifier.major; } else { loserMajor = currentOp.identifier.major; } loserCursorsMap[loserMajor.toString()] = true; for (var j = 0; j < operations.length; j++) { if (operations[j].identifier.major === loserMajor) { operations.splice(j, 1); if (j < i) { i--; } j--; } } if (i > 0) { i--; } } } return loserCursorsMap; }; return CommandExecutor; }()); /***/ }), /***/ 2015: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CursorCollection; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__oneCursor_js__ = __webpack_require__(2016); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_selection_js__ = __webpack_require__(1148); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CursorCollection = /** @class */ (function () { function CursorCollection(context) { this.context = context; this.primaryCursor = new __WEBPACK_IMPORTED_MODULE_1__oneCursor_js__["a" /* OneCursor */](context); this.secondaryCursors = []; this.lastAddedCursorIndex = 0; } CursorCollection.prototype.dispose = function () { this.primaryCursor.dispose(this.context); this.killSecondaryCursors(); }; CursorCollection.prototype.startTrackingSelections = function () { this.primaryCursor.startTrackingSelection(this.context); for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { this.secondaryCursors[i].startTrackingSelection(this.context); } }; CursorCollection.prototype.stopTrackingSelections = function () { this.primaryCursor.stopTrackingSelection(this.context); for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { this.secondaryCursors[i].stopTrackingSelection(this.context); } }; CursorCollection.prototype.updateContext = function (context) { this.context = context; }; CursorCollection.prototype.ensureValidState = function () { this.primaryCursor.ensureValidState(this.context); for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { this.secondaryCursors[i].ensureValidState(this.context); } }; CursorCollection.prototype.readSelectionFromMarkers = function () { var result = []; result[0] = this.primaryCursor.readSelectionFromMarkers(this.context); for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { result[i + 1] = this.secondaryCursors[i].readSelectionFromMarkers(this.context); } return result; }; CursorCollection.prototype.getAll = function () { var result = []; result[0] = this.primaryCursor.asCursorState(); for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { result[i + 1] = this.secondaryCursors[i].asCursorState(); } return result; }; CursorCollection.prototype.getViewPositions = function () { var result = []; result[0] = this.primaryCursor.viewState.position; for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { result[i + 1] = this.secondaryCursors[i].viewState.position; } return result; }; CursorCollection.prototype.getSelections = function () { var result = []; result[0] = this.primaryCursor.modelState.selection; for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { result[i + 1] = this.secondaryCursors[i].modelState.selection; } return result; }; CursorCollection.prototype.getViewSelections = function () { var result = []; result[0] = this.primaryCursor.viewState.selection; for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { result[i + 1] = this.secondaryCursors[i].viewState.selection; } return result; }; CursorCollection.prototype.setSelections = function (selections) { this.setStates(__WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["d" /* CursorState */].fromModelSelections(selections)); }; CursorCollection.prototype.getPrimaryCursor = function () { return this.primaryCursor.asCursorState(); }; CursorCollection.prototype.setStates = function (states) { if (states === null) { return; } this.primaryCursor.setState(this.context, states[0].modelState, states[0].viewState); this._setSecondaryStates(states.slice(1)); }; /** * Creates or disposes secondary cursors as necessary to match the number of `secondarySelections`. */ CursorCollection.prototype._setSecondaryStates = function (secondaryStates) { var secondaryCursorsLength = this.secondaryCursors.length; var secondaryStatesLength = secondaryStates.length; if (secondaryCursorsLength < secondaryStatesLength) { var createCnt = secondaryStatesLength - secondaryCursorsLength; for (var i = 0; i < createCnt; i++) { this._addSecondaryCursor(); } } else if (secondaryCursorsLength > secondaryStatesLength) { var removeCnt = secondaryCursorsLength - secondaryStatesLength; for (var i = 0; i < removeCnt; i++) { this._removeSecondaryCursor(this.secondaryCursors.length - 1); } } for (var i = 0; i < secondaryStatesLength; i++) { this.secondaryCursors[i].setState(this.context, secondaryStates[i].modelState, secondaryStates[i].viewState); } }; CursorCollection.prototype.killSecondaryCursors = function () { this._setSecondaryStates([]); }; CursorCollection.prototype._addSecondaryCursor = function () { this.secondaryCursors.push(new __WEBPACK_IMPORTED_MODULE_1__oneCursor_js__["a" /* OneCursor */](this.context)); this.lastAddedCursorIndex = this.secondaryCursors.length; }; CursorCollection.prototype.getLastAddedCursorIndex = function () { if (this.secondaryCursors.length === 0 || this.lastAddedCursorIndex === 0) { return 0; } return this.lastAddedCursorIndex; }; CursorCollection.prototype._removeSecondaryCursor = function (removeIndex) { if (this.lastAddedCursorIndex >= removeIndex + 1) { this.lastAddedCursorIndex--; } this.secondaryCursors[removeIndex].dispose(this.context); this.secondaryCursors.splice(removeIndex, 1); }; CursorCollection.prototype._getAll = function () { var result = []; result[0] = this.primaryCursor; for (var i = 0, len = this.secondaryCursors.length; i < len; i++) { result[i + 1] = this.secondaryCursors[i]; } return result; }; CursorCollection.prototype.normalize = function () { if (this.secondaryCursors.length === 0) { return; } var cursors = this._getAll(); var sortedCursors = []; for (var i = 0, len = cursors.length; i < len; i++) { sortedCursors.push({ index: i, selection: cursors[i].modelState.selection, }); } sortedCursors.sort(function (a, b) { if (a.selection.startLineNumber === b.selection.startLineNumber) { return a.selection.startColumn - b.selection.startColumn; } return a.selection.startLineNumber - b.selection.startLineNumber; }); for (var sortedCursorIndex = 0; sortedCursorIndex < sortedCursors.length - 1; sortedCursorIndex++) { var current = sortedCursors[sortedCursorIndex]; var next = sortedCursors[sortedCursorIndex + 1]; var currentSelection = current.selection; var nextSelection = next.selection; if (!this.context.config.multiCursorMergeOverlapping) { continue; } var shouldMergeCursors = void 0; if (nextSelection.isEmpty() || currentSelection.isEmpty()) { // Merge touching cursors if one of them is collapsed shouldMergeCursors = nextSelection.getStartPosition().isBeforeOrEqual(currentSelection.getEndPosition()); } else { // Merge only overlapping cursors (i.e. allow touching ranges) shouldMergeCursors = nextSelection.getStartPosition().isBefore(currentSelection.getEndPosition()); } if (shouldMergeCursors) { var winnerSortedCursorIndex = current.index < next.index ? sortedCursorIndex : sortedCursorIndex + 1; var looserSortedCursorIndex = current.index < next.index ? sortedCursorIndex + 1 : sortedCursorIndex; var looserIndex = sortedCursors[looserSortedCursorIndex].index; var winnerIndex = sortedCursors[winnerSortedCursorIndex].index; var looserSelection = sortedCursors[looserSortedCursorIndex].selection; var winnerSelection = sortedCursors[winnerSortedCursorIndex].selection; if (!looserSelection.equalsSelection(winnerSelection)) { var resultingRange = looserSelection.plusRange(winnerSelection); var looserSelectionIsLTR = (looserSelection.selectionStartLineNumber === looserSelection.startLineNumber && looserSelection.selectionStartColumn === looserSelection.startColumn); var winnerSelectionIsLTR = (winnerSelection.selectionStartLineNumber === winnerSelection.startLineNumber && winnerSelection.selectionStartColumn === winnerSelection.startColumn); // Give more importance to the last added cursor (think Ctrl-dragging + hitting another cursor) var resultingSelectionIsLTR = void 0; if (looserIndex === this.lastAddedCursorIndex) { resultingSelectionIsLTR = looserSelectionIsLTR; this.lastAddedCursorIndex = winnerIndex; } else { // Winner takes it all resultingSelectionIsLTR = winnerSelectionIsLTR; } var resultingSelection = void 0; if (resultingSelectionIsLTR) { resultingSelection = new __WEBPACK_IMPORTED_MODULE_2__core_selection_js__["a" /* Selection */](resultingRange.startLineNumber, resultingRange.startColumn, resultingRange.endLineNumber, resultingRange.endColumn); } else { resultingSelection = new __WEBPACK_IMPORTED_MODULE_2__core_selection_js__["a" /* Selection */](resultingRange.endLineNumber, resultingRange.endColumn, resultingRange.startLineNumber, resultingRange.startColumn); } sortedCursors[winnerSortedCursorIndex].selection = resultingSelection; var resultingState = __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["d" /* CursorState */].fromModelSelection(resultingSelection); cursors[winnerIndex].setState(this.context, resultingState.modelState, resultingState.viewState); } for (var _i = 0, sortedCursors_1 = sortedCursors; _i < sortedCursors_1.length; _i++) { var sortedCursor = sortedCursors_1[_i]; if (sortedCursor.index > looserIndex) { sortedCursor.index--; } } cursors.splice(looserIndex, 1); sortedCursors.splice(looserSortedCursorIndex, 1); this._removeSecondaryCursor(looserIndex - 1); sortedCursorIndex--; } } }; return CursorCollection; }()); /***/ }), /***/ 2016: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return OneCursor; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__ = __webpack_require__(1204); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_selection_js__ = __webpack_require__(1148); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var OneCursor = /** @class */ (function () { function OneCursor(context) { this._selTrackedRange = null; this._trackSelection = true; this._setState(context, new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](1, 1, 1, 1), 0, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](1, 1), 0), new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](1, 1, 1, 1), 0, new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](1, 1), 0)); } OneCursor.prototype.dispose = function (context) { this._removeTrackedRange(context); }; OneCursor.prototype.startTrackingSelection = function (context) { this._trackSelection = true; this._updateTrackedRange(context); }; OneCursor.prototype.stopTrackingSelection = function (context) { this._trackSelection = false; this._removeTrackedRange(context); }; OneCursor.prototype._updateTrackedRange = function (context) { if (!this._trackSelection) { // don't track the selection return; } this._selTrackedRange = context.model._setTrackedRange(this._selTrackedRange, this.modelState.selection, 0 /* AlwaysGrowsWhenTypingAtEdges */); }; OneCursor.prototype._removeTrackedRange = function (context) { this._selTrackedRange = context.model._setTrackedRange(this._selTrackedRange, null, 0 /* AlwaysGrowsWhenTypingAtEdges */); }; OneCursor.prototype.asCursorState = function () { return new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["d" /* CursorState */](this.modelState, this.viewState); }; OneCursor.prototype.readSelectionFromMarkers = function (context) { var range = context.model._getTrackedRange(this._selTrackedRange); if (this.modelState.selection.getDirection() === 0 /* LTR */) { return new __WEBPACK_IMPORTED_MODULE_3__core_selection_js__["a" /* Selection */](range.startLineNumber, range.startColumn, range.endLineNumber, range.endColumn); } return new __WEBPACK_IMPORTED_MODULE_3__core_selection_js__["a" /* Selection */](range.endLineNumber, range.endColumn, range.startLineNumber, range.startColumn); }; OneCursor.prototype.ensureValidState = function (context) { this._setState(context, this.modelState, this.viewState); }; OneCursor.prototype.setState = function (context, modelState, viewState) { this._setState(context, modelState, viewState); }; OneCursor.prototype._setState = function (context, modelState, viewState) { if (!modelState) { if (!viewState) { return; } // We only have the view state => compute the model state var selectionStart = context.model.validateRange(context.convertViewRangeToModelRange(viewState.selectionStart)); var position = context.model.validatePosition(context.convertViewPositionToModelPosition(viewState.position.lineNumber, viewState.position.column)); modelState = new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](selectionStart, viewState.selectionStartLeftoverVisibleColumns, position, viewState.leftoverVisibleColumns); } else { // Validate new model state var selectionStart = context.model.validateRange(modelState.selectionStart); var selectionStartLeftoverVisibleColumns = modelState.selectionStart.equalsRange(selectionStart) ? modelState.selectionStartLeftoverVisibleColumns : 0; var position = context.model.validatePosition(modelState.position); var leftoverVisibleColumns = modelState.position.equals(position) ? modelState.leftoverVisibleColumns : 0; modelState = new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](selectionStart, selectionStartLeftoverVisibleColumns, position, leftoverVisibleColumns); } if (!viewState) { // We only have the model state => compute the view state var viewSelectionStart1 = context.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](modelState.selectionStart.startLineNumber, modelState.selectionStart.startColumn)); var viewSelectionStart2 = context.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_1__core_position_js__["a" /* Position */](modelState.selectionStart.endLineNumber, modelState.selectionStart.endColumn)); var viewSelectionStart = new __WEBPACK_IMPORTED_MODULE_2__core_range_js__["a" /* Range */](viewSelectionStart1.lineNumber, viewSelectionStart1.column, viewSelectionStart2.lineNumber, viewSelectionStart2.column); var viewPosition = context.convertModelPositionToViewPosition(modelState.position); viewState = new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](viewSelectionStart, modelState.selectionStartLeftoverVisibleColumns, viewPosition, modelState.leftoverVisibleColumns); } else { // Validate new view state var viewSelectionStart = context.validateViewRange(viewState.selectionStart, modelState.selectionStart); var viewPosition = context.validateViewPosition(viewState.position, modelState.position); viewState = new __WEBPACK_IMPORTED_MODULE_0__cursorCommon_js__["f" /* SingleCursorState */](viewSelectionStart, modelState.selectionStartLeftoverVisibleColumns, viewPosition, modelState.leftoverVisibleColumns); } this.modelState = modelState; this.viewState = viewState; this._updateTrackedRange(context); }; return OneCursor; }()); /***/ }), /***/ 2017: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewModel; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_color_js__ = __webpack_require__(1331); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__modes_textToHtmlTokenizer_js__ = __webpack_require__(2018); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__view_minimapCharRenderer_js__ = __webpack_require__(1580); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__ = __webpack_require__(1359); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__viewLayout_viewLayout_js__ = __webpack_require__(2019); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__characterHardWrappingLineMapper_js__ = __webpack_require__(2022); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__splitLinesCollection_js__ = __webpack_require__(1714); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__viewModel_js__ = __webpack_require__(1328); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__viewModelDecorations_js__ = __webpack_require__(2023); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__base_common_async_js__ = __webpack_require__(1021); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var USE_IDENTITY_LINES_COLLECTION = true; var ViewModel = /** @class */ (function (_super) { __extends(ViewModel, _super); function ViewModel(editorId, configuration, model, scheduleAtNextAnimationFrame) { var _this = _super.call(this) || this; _this.editorId = editorId; _this.configuration = configuration; _this.model = model; _this._tokenizeViewportSoon = _this._register(new __WEBPACK_IMPORTED_MODULE_13__base_common_async_js__["c" /* RunOnceScheduler */](function () { return _this.tokenizeViewport(); }, 50)); _this.hasFocus = false; _this.viewportStartLine = -1; _this.viewportStartLineTrackedRange = null; _this.viewportStartLineDelta = 0; if (USE_IDENTITY_LINES_COLLECTION && _this.model.isTooLargeForTokenization()) { _this.lines = new __WEBPACK_IMPORTED_MODULE_10__splitLinesCollection_js__["a" /* IdentityLinesCollection */](_this.model); } else { var conf = _this.configuration.editor; var hardWrappingLineMapperFactory = new __WEBPACK_IMPORTED_MODULE_9__characterHardWrappingLineMapper_js__["a" /* CharacterHardWrappingLineMapperFactory */](conf.wrappingInfo.wordWrapBreakBeforeCharacters, conf.wrappingInfo.wordWrapBreakAfterCharacters, conf.wrappingInfo.wordWrapBreakObtrusiveCharacters); _this.lines = new __WEBPACK_IMPORTED_MODULE_10__splitLinesCollection_js__["c" /* SplitLinesCollection */](_this.model, hardWrappingLineMapperFactory, _this.model.getOptions().tabSize, conf.wrappingInfo.wrappingColumn, conf.fontInfo.typicalFullwidthCharacterWidth / conf.fontInfo.typicalHalfwidthCharacterWidth, conf.wrappingInfo.wrappingIndent); } _this.coordinatesConverter = _this.lines.createCoordinatesConverter(); _this.viewLayout = _this._register(new __WEBPACK_IMPORTED_MODULE_8__viewLayout_viewLayout_js__["a" /* ViewLayout */](_this.configuration, _this.getLineCount(), scheduleAtNextAnimationFrame)); _this._register(_this.viewLayout.onDidScroll(function (e) { if (e.scrollTopChanged) { _this._tokenizeViewportSoon.schedule(); } try { var eventsCollector = _this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["m" /* ViewScrollChangedEvent */](e)); } finally { _this._endEmit(); } })); _this.decorations = new __WEBPACK_IMPORTED_MODULE_12__viewModelDecorations_js__["a" /* ViewModelDecorations */](_this.editorId, _this.model, _this.configuration, _this.lines, _this.coordinatesConverter); _this._registerModelEvents(); _this._register(_this.configuration.onDidChange(function (e) { try { var eventsCollector = _this._beginEmit(); _this._onConfigurationChanged(eventsCollector, e); } finally { _this._endEmit(); } })); _this._register(__WEBPACK_IMPORTED_MODULE_6__view_minimapCharRenderer_js__["b" /* MinimapTokensColorTracker */].getInstance().onDidChange(function () { try { var eventsCollector = _this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["p" /* ViewTokensColorsChangedEvent */]()); } finally { _this._endEmit(); } })); return _this; } ViewModel.prototype.dispose = function () { // First remove listeners, as disposing the lines might end up sending // model decoration changed events ... and we no longer care about them ... _super.prototype.dispose.call(this); this.decorations.dispose(); this.lines.dispose(); this.viewportStartLineTrackedRange = this.model._setTrackedRange(this.viewportStartLineTrackedRange, null, 1 /* NeverGrowsWhenTypingAtEdges */); }; ViewModel.prototype.tokenizeViewport = function () { var linesViewportData = this.viewLayout.getLinesViewportData(); var startPosition = this.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](linesViewportData.startLineNumber, 1)); var endPosition = this.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](linesViewportData.endLineNumber, 1)); this.model.tokenizeViewport(startPosition.lineNumber, endPosition.lineNumber); }; ViewModel.prototype.setHasFocus = function (hasFocus) { this.hasFocus = hasFocus; }; ViewModel.prototype._onConfigurationChanged = function (eventsCollector, e) { // We might need to restore the current centered view range, so save it (if available) var previousViewportStartModelPosition = null; if (this.viewportStartLine !== -1) { var previousViewportStartViewPosition = new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](this.viewportStartLine, this.getLineMinColumn(this.viewportStartLine)); previousViewportStartModelPosition = this.coordinatesConverter.convertViewPositionToModelPosition(previousViewportStartViewPosition); } var restorePreviousViewportStart = false; var conf = this.configuration.editor; if (this.lines.setWrappingSettings(conf.wrappingInfo.wrappingIndent, conf.wrappingInfo.wrappingColumn, conf.fontInfo.typicalFullwidthCharacterWidth / conf.fontInfo.typicalHalfwidthCharacterWidth)) { eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["e" /* ViewFlushedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["h" /* ViewLineMappingChangedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["c" /* ViewDecorationsChangedEvent */]()); this.decorations.onLineMappingChanged(); this.viewLayout.onFlushed(this.getLineCount()); if (this.viewLayout.getCurrentScrollTop() !== 0) { // Never change the scroll position from 0 to something else... restorePreviousViewportStart = true; } } if (e.readOnly) { // Must read again all decorations due to readOnly filtering this.decorations.reset(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["c" /* ViewDecorationsChangedEvent */]()); } eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["a" /* ViewConfigurationChangedEvent */](e)); this.viewLayout.onConfigurationChanged(e); if (restorePreviousViewportStart && previousViewportStartModelPosition) { var viewPosition = this.coordinatesConverter.convertModelPositionToViewPosition(previousViewportStartModelPosition); var viewPositionTop = this.viewLayout.getVerticalOffsetForLineNumber(viewPosition.lineNumber); this.viewLayout.setScrollPositionNow({ scrollTop: viewPositionTop + this.viewportStartLineDelta }); } }; ViewModel.prototype._registerModelEvents = function () { var _this = this; this._register(this.model.onDidChangeRawContentFast(function (e) { try { var eventsCollector = _this._beginEmit(); var hadOtherModelChange = false; var hadModelLineChangeThatChangedLineMapping = false; var changes = e.changes; var versionId = e.versionId; for (var j = 0, lenJ = changes.length; j < lenJ; j++) { var change = changes[j]; switch (change.changeType) { case 1 /* Flush */: { _this.lines.onModelFlushed(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["e" /* ViewFlushedEvent */]()); _this.decorations.reset(); _this.viewLayout.onFlushed(_this.getLineCount()); hadOtherModelChange = true; break; } case 3 /* LinesDeleted */: { var linesDeletedEvent = _this.lines.onModelLinesDeleted(versionId, change.fromLineNumber, change.toLineNumber); if (linesDeletedEvent !== null) { eventsCollector.emit(linesDeletedEvent); _this.viewLayout.onLinesDeleted(linesDeletedEvent.fromLineNumber, linesDeletedEvent.toLineNumber); } hadOtherModelChange = true; break; } case 4 /* LinesInserted */: { var linesInsertedEvent = _this.lines.onModelLinesInserted(versionId, change.fromLineNumber, change.toLineNumber, change.detail); if (linesInsertedEvent !== null) { eventsCollector.emit(linesInsertedEvent); _this.viewLayout.onLinesInserted(linesInsertedEvent.fromLineNumber, linesInsertedEvent.toLineNumber); } hadOtherModelChange = true; break; } case 2 /* LineChanged */: { var _a = _this.lines.onModelLineChanged(versionId, change.lineNumber, change.detail), lineMappingChanged = _a[0], linesChangedEvent = _a[1], linesInsertedEvent = _a[2], linesDeletedEvent = _a[3]; hadModelLineChangeThatChangedLineMapping = lineMappingChanged; if (linesChangedEvent) { eventsCollector.emit(linesChangedEvent); } if (linesInsertedEvent) { eventsCollector.emit(linesInsertedEvent); _this.viewLayout.onLinesInserted(linesInsertedEvent.fromLineNumber, linesInsertedEvent.toLineNumber); } if (linesDeletedEvent) { eventsCollector.emit(linesDeletedEvent); _this.viewLayout.onLinesDeleted(linesDeletedEvent.fromLineNumber, linesDeletedEvent.toLineNumber); } break; } case 5 /* EOLChanged */: { // Nothing to do. The new version will be accepted below break; } } } _this.lines.acceptVersionId(versionId); _this.viewLayout.onHeightMaybeChanged(); if (!hadOtherModelChange && hadModelLineChangeThatChangedLineMapping) { eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["h" /* ViewLineMappingChangedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["c" /* ViewDecorationsChangedEvent */]()); _this.decorations.onLineMappingChanged(); } } finally { _this._endEmit(); } // Update the configuration and reset the centered view line _this.viewportStartLine = -1; _this.configuration.setMaxLineNumber(_this.model.getLineCount()); // Recover viewport if (!_this.hasFocus && _this.model.getAttachedEditorCount() >= 2 && _this.viewportStartLineTrackedRange) { var modelRange = _this.model._getTrackedRange(_this.viewportStartLineTrackedRange); if (modelRange) { var viewPosition = _this.coordinatesConverter.convertModelPositionToViewPosition(modelRange.getStartPosition()); var viewPositionTop = _this.viewLayout.getVerticalOffsetForLineNumber(viewPosition.lineNumber); _this.viewLayout.setScrollPositionNow({ scrollTop: viewPositionTop + _this.viewportStartLineDelta }); } } })); this._register(this.model.onDidChangeTokens(function (e) { var viewRanges = []; for (var j = 0, lenJ = e.ranges.length; j < lenJ; j++) { var modelRange = e.ranges[j]; var viewStartLineNumber = _this.coordinatesConverter.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](modelRange.fromLineNumber, 1)).lineNumber; var viewEndLineNumber = _this.coordinatesConverter.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](modelRange.toLineNumber, _this.model.getLineMaxColumn(modelRange.toLineNumber))).lineNumber; viewRanges[j] = { fromLineNumber: viewStartLineNumber, toLineNumber: viewEndLineNumber }; } try { var eventsCollector = _this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["o" /* ViewTokensChangedEvent */](viewRanges)); } finally { _this._endEmit(); } if (e.tokenizationSupportChanged) { _this._tokenizeViewportSoon.schedule(); } })); this._register(this.model.onDidChangeLanguageConfiguration(function (e) { try { var eventsCollector = _this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["g" /* ViewLanguageConfigurationEvent */]()); } finally { _this._endEmit(); } })); this._register(this.model.onDidChangeOptions(function (e) { // A tab size change causes a line mapping changed event => all view parts will repaint OK, no further event needed here if (_this.lines.setTabSize(_this.model.getOptions().tabSize)) { _this.decorations.onLineMappingChanged(); _this.viewLayout.onFlushed(_this.getLineCount()); try { var eventsCollector = _this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["e" /* ViewFlushedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["h" /* ViewLineMappingChangedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["c" /* ViewDecorationsChangedEvent */]()); } finally { _this._endEmit(); } } })); this._register(this.model.onDidChangeDecorations(function (e) { _this.decorations.onModelDecorationsChanged(); try { var eventsCollector = _this._beginEmit(); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["c" /* ViewDecorationsChangedEvent */]()); } finally { _this._endEmit(); } })); }; ViewModel.prototype.setHiddenAreas = function (ranges) { try { var eventsCollector = this._beginEmit(); var lineMappingChanged = this.lines.setHiddenAreas(ranges); if (lineMappingChanged) { eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["e" /* ViewFlushedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["h" /* ViewLineMappingChangedEvent */]()); eventsCollector.emit(new __WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["c" /* ViewDecorationsChangedEvent */]()); this.decorations.onLineMappingChanged(); this.viewLayout.onFlushed(this.getLineCount()); this.viewLayout.onHeightMaybeChanged(); } } finally { this._endEmit(); } }; ViewModel.prototype.getVisibleRanges = function () { var visibleViewRange = this.getCompletelyVisibleViewRange(); var visibleRange = this.coordinatesConverter.convertViewRangeToModelRange(visibleViewRange); var hiddenAreas = this.lines.getHiddenAreas(); if (hiddenAreas.length === 0) { return [visibleRange]; } var result = [], resultLen = 0; var startLineNumber = visibleRange.startLineNumber; var startColumn = visibleRange.startColumn; var endLineNumber = visibleRange.endLineNumber; var endColumn = visibleRange.endColumn; for (var i = 0, len = hiddenAreas.length; i < len; i++) { var hiddenStartLineNumber = hiddenAreas[i].startLineNumber; var hiddenEndLineNumber = hiddenAreas[i].endLineNumber; if (hiddenEndLineNumber < startLineNumber) { continue; } if (hiddenStartLineNumber > endLineNumber) { continue; } if (startLineNumber < hiddenStartLineNumber) { result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](startLineNumber, startColumn, hiddenStartLineNumber - 1, this.model.getLineMaxColumn(hiddenStartLineNumber - 1)); } startLineNumber = hiddenEndLineNumber + 1; startColumn = 1; } if (startLineNumber < endLineNumber || (startLineNumber === endLineNumber && startColumn < endColumn)) { result[resultLen++] = new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn); } return result; }; ViewModel.prototype.getCompletelyVisibleViewRange = function () { var partialData = this.viewLayout.getLinesViewportData(); var startViewLineNumber = partialData.completelyVisibleStartLineNumber; var endViewLineNumber = partialData.completelyVisibleEndLineNumber; return new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](startViewLineNumber, this.getLineMinColumn(startViewLineNumber), endViewLineNumber, this.getLineMaxColumn(endViewLineNumber)); }; ViewModel.prototype.getCompletelyVisibleViewRangeAtScrollTop = function (scrollTop) { var partialData = this.viewLayout.getLinesViewportDataAtScrollTop(scrollTop); var startViewLineNumber = partialData.completelyVisibleStartLineNumber; var endViewLineNumber = partialData.completelyVisibleEndLineNumber; return new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](startViewLineNumber, this.getLineMinColumn(startViewLineNumber), endViewLineNumber, this.getLineMaxColumn(endViewLineNumber)); }; ViewModel.prototype.saveState = function () { var compatViewState = this.viewLayout.saveState(); var scrollTop = compatViewState.scrollTop; var firstViewLineNumber = this.viewLayout.getLineNumberAtVerticalOffset(scrollTop); var firstPosition = this.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](firstViewLineNumber, this.getLineMinColumn(firstViewLineNumber))); var firstPositionDeltaTop = this.viewLayout.getVerticalOffsetForLineNumber(firstViewLineNumber) - scrollTop; return { scrollLeft: compatViewState.scrollLeft, firstPosition: firstPosition, firstPositionDeltaTop: firstPositionDeltaTop }; }; ViewModel.prototype.reduceRestoreState = function (state) { if (typeof state.firstPosition === 'undefined') { // This is a view state serialized by an older version return this._reduceRestoreStateCompatibility(state); } var modelPosition = this.model.validatePosition(state.firstPosition); var viewPosition = this.coordinatesConverter.convertModelPositionToViewPosition(modelPosition); var scrollTop = this.viewLayout.getVerticalOffsetForLineNumber(viewPosition.lineNumber) - state.firstPositionDeltaTop; return { scrollLeft: state.scrollLeft, scrollTop: scrollTop }; }; ViewModel.prototype._reduceRestoreStateCompatibility = function (state) { return { scrollLeft: state.scrollLeft, scrollTop: state.scrollTopWithoutViewZones }; }; ViewModel.prototype.getTabSize = function () { return this.model.getOptions().tabSize; }; ViewModel.prototype.getOptions = function () { return this.model.getOptions(); }; ViewModel.prototype.getLineCount = function () { return this.lines.getViewLineCount(); }; /** * Gives a hint that a lot of requests are about to come in for these line numbers. */ ViewModel.prototype.setViewport = function (startLineNumber, endLineNumber, centeredLineNumber) { this.lines.warmUpLookupCache(startLineNumber, endLineNumber); this.viewportStartLine = startLineNumber; var position = this.coordinatesConverter.convertViewPositionToModelPosition(new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](startLineNumber, this.getLineMinColumn(startLineNumber))); this.viewportStartLineTrackedRange = this.model._setTrackedRange(this.viewportStartLineTrackedRange, new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column), 1 /* NeverGrowsWhenTypingAtEdges */); var viewportStartLineTop = this.viewLayout.getVerticalOffsetForLineNumber(startLineNumber); var scrollTop = this.viewLayout.getCurrentScrollTop(); this.viewportStartLineDelta = scrollTop - viewportStartLineTop; }; ViewModel.prototype.getActiveIndentGuide = function (lineNumber, minLineNumber, maxLineNumber) { return this.lines.getActiveIndentGuide(lineNumber, minLineNumber, maxLineNumber); }; ViewModel.prototype.getLinesIndentGuides = function (startLineNumber, endLineNumber) { return this.lines.getViewLinesIndentGuides(startLineNumber, endLineNumber); }; ViewModel.prototype.getLineContent = function (lineNumber) { return this.lines.getViewLineContent(lineNumber); }; ViewModel.prototype.getLineLength = function (lineNumber) { return this.lines.getViewLineLength(lineNumber); }; ViewModel.prototype.getLineMinColumn = function (lineNumber) { return this.lines.getViewLineMinColumn(lineNumber); }; ViewModel.prototype.getLineMaxColumn = function (lineNumber) { return this.lines.getViewLineMaxColumn(lineNumber); }; ViewModel.prototype.getLineFirstNonWhitespaceColumn = function (lineNumber) { var result = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](this.getLineContent(lineNumber)); if (result === -1) { return 0; } return result + 1; }; ViewModel.prototype.getLineLastNonWhitespaceColumn = function (lineNumber) { var result = __WEBPACK_IMPORTED_MODULE_1__base_common_strings_js__["x" /* lastNonWhitespaceIndex */](this.getLineContent(lineNumber)); if (result === -1) { return 0; } return result + 2; }; ViewModel.prototype.getDecorationsInViewport = function (visibleRange) { return this.decorations.getDecorationsViewportData(visibleRange).decorations; }; ViewModel.prototype.getViewLineRenderingData = function (visibleRange, lineNumber) { var mightContainRTL = this.model.mightContainRTL(); var mightContainNonBasicASCII = this.model.mightContainNonBasicASCII(); var tabSize = this.getTabSize(); var lineData = this.lines.getViewLineData(lineNumber); var allInlineDecorations = this.decorations.getDecorationsViewportData(visibleRange).inlineDecorations; var inlineDecorations = allInlineDecorations[lineNumber - visibleRange.startLineNumber]; return new __WEBPACK_IMPORTED_MODULE_11__viewModel_js__["d" /* ViewLineRenderingData */](lineData.minColumn, lineData.maxColumn, lineData.content, lineData.continuesWithWrappedLine, mightContainRTL, mightContainNonBasicASCII, lineData.tokens, inlineDecorations, tabSize); }; ViewModel.prototype.getViewLineData = function (lineNumber) { return this.lines.getViewLineData(lineNumber); }; ViewModel.prototype.getMinimapLinesRenderingData = function (startLineNumber, endLineNumber, needed) { var result = this.lines.getViewLinesData(startLineNumber, endLineNumber, needed); return new __WEBPACK_IMPORTED_MODULE_11__viewModel_js__["b" /* MinimapLinesRenderingData */](this.getTabSize(), result); }; ViewModel.prototype.getAllOverviewRulerDecorations = function (theme) { return this.lines.getAllOverviewRulerDecorations(this.editorId, this.configuration.editor.readOnly, theme); }; ViewModel.prototype.invalidateOverviewRulerColorCache = function () { var decorations = this.model.getOverviewRulerDecorations(); for (var _i = 0, decorations_1 = decorations; _i < decorations_1.length; _i++) { var decoration = decorations_1[_i]; var opts = decoration.options.overviewRuler; if (opts) { opts.invalidateCachedColor(); } } }; ViewModel.prototype.getValueInRange = function (range, eol) { var modelRange = this.coordinatesConverter.convertViewRangeToModelRange(range); return this.model.getValueInRange(modelRange, eol); }; ViewModel.prototype.getModelLineMaxColumn = function (modelLineNumber) { return this.model.getLineMaxColumn(modelLineNumber); }; ViewModel.prototype.validateModelPosition = function (position) { return this.model.validatePosition(position); }; ViewModel.prototype.validateModelRange = function (range) { return this.model.validateRange(range); }; ViewModel.prototype.deduceModelPositionRelativeToViewPosition = function (viewAnchorPosition, deltaOffset, lineFeedCnt) { var modelAnchor = this.coordinatesConverter.convertViewPositionToModelPosition(viewAnchorPosition); if (this.model.getEOL().length === 2) { // This model uses CRLF, so the delta must take that into account if (deltaOffset < 0) { deltaOffset -= lineFeedCnt; } else { deltaOffset += lineFeedCnt; } } var modelAnchorOffset = this.model.getOffsetAt(modelAnchor); var resultOffset = modelAnchorOffset + deltaOffset; return this.model.getPositionAt(resultOffset); }; ViewModel.prototype.getEOL = function () { return this.model.getEOL(); }; ViewModel.prototype.getPlainTextToCopy = function (ranges, emptySelectionClipboard, forceCRLF) { var _this = this; var newLineCharacter = forceCRLF ? '\r\n' : this.model.getEOL(); ranges = ranges.slice(0); ranges.sort(__WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */].compareRangesUsingStarts); var nonEmptyRanges = ranges.filter(function (r) { return !r.isEmpty(); }); if (nonEmptyRanges.length === 0) { if (!emptySelectionClipboard) { return ''; } var modelLineNumbers = ranges.map(function (r) { var viewLineStart = new __WEBPACK_IMPORTED_MODULE_2__core_position_js__["a" /* Position */](r.startLineNumber, 1); return _this.coordinatesConverter.convertViewPositionToModelPosition(viewLineStart).lineNumber; }); var result_1 = ''; for (var i = 0; i < modelLineNumbers.length; i++) { if (i > 0 && modelLineNumbers[i - 1] === modelLineNumbers[i]) { continue; } result_1 += this.model.getLineContent(modelLineNumbers[i]) + newLineCharacter; } return result_1; } var result = []; for (var _i = 0, nonEmptyRanges_1 = nonEmptyRanges; _i < nonEmptyRanges_1.length; _i++) { var nonEmptyRange = nonEmptyRanges_1[_i]; result.push(this.getValueInRange(nonEmptyRange, forceCRLF ? 2 /* CRLF */ : 0 /* TextDefined */)); } return result.length === 1 ? result[0] : result; }; ViewModel.prototype.getHTMLToCopy = function (viewRanges, emptySelectionClipboard) { if (this.model.getLanguageIdentifier().id === 1 /* PlainText */) { return null; } if (viewRanges.length !== 1) { // no multiple selection support at this time return null; } var range = this.coordinatesConverter.convertViewRangeToModelRange(viewRanges[0]); if (range.isEmpty()) { if (!emptySelectionClipboard) { // nothing to copy return null; } var lineNumber = range.startLineNumber; range = new __WEBPACK_IMPORTED_MODULE_3__core_range_js__["a" /* Range */](lineNumber, this.model.getLineMinColumn(lineNumber), lineNumber, this.model.getLineMaxColumn(lineNumber)); } var fontInfo = this.configuration.editor.fontInfo; var colorMap = this._getColorMap(); return ("<div style=\"" + ("color: " + colorMap[1 /* DefaultForeground */] + ";") + ("background-color: " + colorMap[2 /* DefaultBackground */] + ";") + ("font-family: " + fontInfo.fontFamily + ";") + ("font-weight: " + fontInfo.fontWeight + ";") + ("font-size: " + fontInfo.fontSize + "px;") + ("line-height: " + fontInfo.lineHeight + "px;") + "white-space: pre;" + "\">" + this._getHTMLToCopy(range, colorMap) + '</div>'); }; ViewModel.prototype._getHTMLToCopy = function (modelRange, colorMap) { var startLineNumber = modelRange.startLineNumber; var startColumn = modelRange.startColumn; var endLineNumber = modelRange.endLineNumber; var endColumn = modelRange.endColumn; var tabSize = this.getTabSize(); var result = ''; for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { var lineTokens = this.model.getLineTokens(lineNumber); var lineContent = lineTokens.getLineContent(); var startOffset = (lineNumber === startLineNumber ? startColumn - 1 : 0); var endOffset = (lineNumber === endLineNumber ? endColumn - 1 : lineContent.length); if (lineContent === '') { result += '<br>'; } else { result += Object(__WEBPACK_IMPORTED_MODULE_5__modes_textToHtmlTokenizer_js__["a" /* tokenizeLineToHTML */])(lineContent, lineTokens.inflate(), colorMap, startOffset, endOffset, tabSize); } } return result; }; ViewModel.prototype._getColorMap = function () { var colorMap = __WEBPACK_IMPORTED_MODULE_4__modes_js__["v" /* TokenizationRegistry */].getColorMap(); var result = ['#000000']; if (colorMap) { for (var i = 1, len = colorMap.length; i < len; i++) { result[i] = __WEBPACK_IMPORTED_MODULE_0__base_common_color_js__["a" /* Color */].Format.CSS.formatHex(colorMap[i]); } } return result; }; return ViewModel; }(__WEBPACK_IMPORTED_MODULE_7__view_viewEvents_js__["d" /* ViewEventEmitter */])); /***/ }), /***/ 2018: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export tokenizeToString */ /* harmony export (immutable) */ __webpack_exports__["a"] = tokenizeLineToHTML; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_lineTokens_js__ = __webpack_require__(1445); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__nullMode_js__ = __webpack_require__(1326); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var fallback = { getInitialState: function () { return __WEBPACK_IMPORTED_MODULE_2__nullMode_js__["c" /* NULL_STATE */]; }, tokenize2: function (buffer, state, deltaOffset) { return Object(__WEBPACK_IMPORTED_MODULE_2__nullMode_js__["e" /* nullTokenize2 */])(0 /* Null */, buffer, state, deltaOffset); } }; function tokenizeToString(text, tokenizationSupport) { if (tokenizationSupport === void 0) { tokenizationSupport = fallback; } return _tokenizeToString(text, tokenizationSupport || fallback); } function tokenizeLineToHTML(text, viewLineTokens, colorMap, startOffset, endOffset, tabSize) { var result = "<div>"; var charIndex = startOffset; var tabsCharDelta = 0; for (var tokenIndex = 0, tokenCount = viewLineTokens.getCount(); tokenIndex < tokenCount; tokenIndex++) { var tokenEndIndex = viewLineTokens.getEndOffset(tokenIndex); if (tokenEndIndex <= startOffset) { continue; } var partContent = ''; for (; charIndex < tokenEndIndex && charIndex < endOffset; charIndex++) { var charCode = text.charCodeAt(charIndex); switch (charCode) { case 9 /* Tab */: var insertSpacesCount = tabSize - (charIndex + tabsCharDelta) % tabSize; tabsCharDelta += insertSpacesCount - 1; while (insertSpacesCount > 0) { partContent += ' '; insertSpacesCount--; } break; case 60 /* LessThan */: partContent += '<'; break; case 62 /* GreaterThan */: partContent += '>'; break; case 38 /* Ampersand */: partContent += '&'; break; case 0 /* Null */: partContent += '�'; break; case 65279 /* UTF8_BOM */: case 8232 /* LINE_SEPARATOR_2028 */: partContent += '\ufffd'; break; case 13 /* CarriageReturn */: // zero width space, because carriage return would introduce a line break partContent += '​'; break; default: partContent += String.fromCharCode(charCode); } } result += "<span style=\"" + viewLineTokens.getInlineStyle(tokenIndex, colorMap) + "\">" + partContent + "</span>"; if (tokenEndIndex > endOffset || charIndex >= endOffset) { break; } } result += "</div>"; return result; } function _tokenizeToString(text, tokenizationSupport) { var result = "<div class=\"monaco-tokenized-source\">"; var lines = text.split(/\r\n|\r|\n/); var currentState = tokenizationSupport.getInitialState(); for (var i = 0, len = lines.length; i < len; i++) { var line = lines[i]; if (i > 0) { result += "<br/>"; } var tokenizationResult = tokenizationSupport.tokenize2(line, currentState, 0); __WEBPACK_IMPORTED_MODULE_1__core_lineTokens_js__["a" /* LineTokens */].convertToEndOffset(tokenizationResult.tokens, line.length); var lineTokens = new __WEBPACK_IMPORTED_MODULE_1__core_lineTokens_js__["a" /* LineTokens */](tokenizationResult.tokens, line); var viewLineTokens = lineTokens.inflate(); var startOffset = 0; for (var j = 0, lenJ = viewLineTokens.getCount(); j < lenJ; j++) { var type = viewLineTokens.getClassName(j); var endIndex = viewLineTokens.getEndOffset(j); result += "<span class=\"" + type + "\">" + __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["l" /* escape */](line.substring(startOffset, endIndex)) + "</span>"; startOffset = endIndex; } currentState = tokenizationResult.endState; } result += "</div>"; return result; } /***/ }), /***/ 2019: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewLayout; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_scrollable_js__ = __webpack_require__(1711); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__linesLayout_js__ = __webpack_require__(2020); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__viewModel_viewModel_js__ = __webpack_require__(1328); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var SMOOTH_SCROLLING_TIME = 125; var ViewLayout = /** @class */ (function (_super) { __extends(ViewLayout, _super); function ViewLayout(configuration, lineCount, scheduleAtNextAnimationFrame) { var _this = _super.call(this) || this; _this._configuration = configuration; _this._linesLayout = new __WEBPACK_IMPORTED_MODULE_2__linesLayout_js__["a" /* LinesLayout */](lineCount, _this._configuration.editor.lineHeight); _this.scrollable = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_scrollable_js__["a" /* Scrollable */](0, scheduleAtNextAnimationFrame)); _this._configureSmoothScrollDuration(); _this.scrollable.setScrollDimensions({ width: configuration.editor.layoutInfo.contentWidth, height: configuration.editor.layoutInfo.contentHeight }); _this.onDidScroll = _this.scrollable.onScroll; _this._updateHeight(); return _this; } ViewLayout.prototype.dispose = function () { _super.prototype.dispose.call(this); }; ViewLayout.prototype.onHeightMaybeChanged = function () { this._updateHeight(); }; ViewLayout.prototype._configureSmoothScrollDuration = function () { this.scrollable.setSmoothScrollDuration(this._configuration.editor.viewInfo.smoothScrolling ? SMOOTH_SCROLLING_TIME : 0); }; // ---- begin view event handlers ViewLayout.prototype.onConfigurationChanged = function (e) { if (e.lineHeight) { this._linesLayout.setLineHeight(this._configuration.editor.lineHeight); } if (e.layoutInfo) { this.scrollable.setScrollDimensions({ width: this._configuration.editor.layoutInfo.contentWidth, height: this._configuration.editor.layoutInfo.contentHeight }); } if (e.viewInfo) { this._configureSmoothScrollDuration(); } this._updateHeight(); }; ViewLayout.prototype.onFlushed = function (lineCount) { this._linesLayout.onFlushed(lineCount); }; ViewLayout.prototype.onLinesDeleted = function (fromLineNumber, toLineNumber) { this._linesLayout.onLinesDeleted(fromLineNumber, toLineNumber); }; ViewLayout.prototype.onLinesInserted = function (fromLineNumber, toLineNumber) { this._linesLayout.onLinesInserted(fromLineNumber, toLineNumber); }; // ---- end view event handlers ViewLayout.prototype._getHorizontalScrollbarHeight = function (scrollDimensions) { if (this._configuration.editor.viewInfo.scrollbar.horizontal === 2 /* Hidden */) { // horizontal scrollbar not visible return 0; } if (scrollDimensions.width >= scrollDimensions.scrollWidth) { // horizontal scrollbar not visible return 0; } return this._configuration.editor.viewInfo.scrollbar.horizontalScrollbarSize; }; ViewLayout.prototype._getTotalHeight = function () { var scrollDimensions = this.scrollable.getScrollDimensions(); var result = this._linesLayout.getLinesTotalHeight(); if (this._configuration.editor.viewInfo.scrollBeyondLastLine) { result += scrollDimensions.height - this._configuration.editor.lineHeight; } else { result += this._getHorizontalScrollbarHeight(scrollDimensions); } return Math.max(scrollDimensions.height, result); }; ViewLayout.prototype._updateHeight = function () { this.scrollable.setScrollDimensions({ scrollHeight: this._getTotalHeight() }); }; // ---- Layouting logic ViewLayout.prototype.getCurrentViewport = function () { var scrollDimensions = this.scrollable.getScrollDimensions(); var currentScrollPosition = this.scrollable.getCurrentScrollPosition(); return new __WEBPACK_IMPORTED_MODULE_3__viewModel_viewModel_js__["f" /* Viewport */](currentScrollPosition.scrollTop, currentScrollPosition.scrollLeft, scrollDimensions.width, scrollDimensions.height); }; ViewLayout.prototype.getFutureViewport = function () { var scrollDimensions = this.scrollable.getScrollDimensions(); var currentScrollPosition = this.scrollable.getFutureScrollPosition(); return new __WEBPACK_IMPORTED_MODULE_3__viewModel_viewModel_js__["f" /* Viewport */](currentScrollPosition.scrollTop, currentScrollPosition.scrollLeft, scrollDimensions.width, scrollDimensions.height); }; ViewLayout.prototype._computeScrollWidth = function (maxLineWidth, viewportWidth) { var isViewportWrapping = this._configuration.editor.wrappingInfo.isViewportWrapping; if (!isViewportWrapping) { var extraHorizontalSpace = this._configuration.editor.viewInfo.scrollBeyondLastColumn * this._configuration.editor.fontInfo.typicalHalfwidthCharacterWidth; var whitespaceMinWidth = this._linesLayout.getWhitespaceMinWidth(); return Math.max(maxLineWidth + extraHorizontalSpace, viewportWidth, whitespaceMinWidth); } return Math.max(maxLineWidth, viewportWidth); }; ViewLayout.prototype.onMaxLineWidthChanged = function (maxLineWidth) { var newScrollWidth = this._computeScrollWidth(maxLineWidth, this.getCurrentViewport().width); this.scrollable.setScrollDimensions({ scrollWidth: newScrollWidth }); // The height might depend on the fact that there is a horizontal scrollbar or not this._updateHeight(); }; // ---- view state ViewLayout.prototype.saveState = function () { var currentScrollPosition = this.scrollable.getFutureScrollPosition(); var scrollTop = currentScrollPosition.scrollTop; var firstLineNumberInViewport = this._linesLayout.getLineNumberAtOrAfterVerticalOffset(scrollTop); var whitespaceAboveFirstLine = this._linesLayout.getWhitespaceAccumulatedHeightBeforeLineNumber(firstLineNumberInViewport); return { scrollTop: scrollTop, scrollTopWithoutViewZones: scrollTop - whitespaceAboveFirstLine, scrollLeft: currentScrollPosition.scrollLeft }; }; // ---- IVerticalLayoutProvider ViewLayout.prototype.addWhitespace = function (afterLineNumber, ordinal, height, minWidth) { return this._linesLayout.insertWhitespace(afterLineNumber, ordinal, height, minWidth); }; ViewLayout.prototype.changeWhitespace = function (id, newAfterLineNumber, newHeight) { return this._linesLayout.changeWhitespace(id, newAfterLineNumber, newHeight); }; ViewLayout.prototype.removeWhitespace = function (id) { return this._linesLayout.removeWhitespace(id); }; ViewLayout.prototype.getVerticalOffsetForLineNumber = function (lineNumber) { return this._linesLayout.getVerticalOffsetForLineNumber(lineNumber); }; ViewLayout.prototype.isAfterLines = function (verticalOffset) { return this._linesLayout.isAfterLines(verticalOffset); }; ViewLayout.prototype.getLineNumberAtVerticalOffset = function (verticalOffset) { return this._linesLayout.getLineNumberAtOrAfterVerticalOffset(verticalOffset); }; ViewLayout.prototype.getWhitespaceAtVerticalOffset = function (verticalOffset) { return this._linesLayout.getWhitespaceAtVerticalOffset(verticalOffset); }; ViewLayout.prototype.getLinesViewportData = function () { var visibleBox = this.getCurrentViewport(); return this._linesLayout.getLinesViewportData(visibleBox.top, visibleBox.top + visibleBox.height); }; ViewLayout.prototype.getLinesViewportDataAtScrollTop = function (scrollTop) { // do some minimal validations on scrollTop var scrollDimensions = this.scrollable.getScrollDimensions(); if (scrollTop + scrollDimensions.height > scrollDimensions.scrollHeight) { scrollTop = scrollDimensions.scrollHeight - scrollDimensions.height; } if (scrollTop < 0) { scrollTop = 0; } return this._linesLayout.getLinesViewportData(scrollTop, scrollTop + scrollDimensions.height); }; ViewLayout.prototype.getWhitespaceViewportData = function () { var visibleBox = this.getCurrentViewport(); return this._linesLayout.getWhitespaceViewportData(visibleBox.top, visibleBox.top + visibleBox.height); }; ViewLayout.prototype.getWhitespaces = function () { return this._linesLayout.getWhitespaces(); }; // ---- IScrollingProvider ViewLayout.prototype.getScrollWidth = function () { var scrollDimensions = this.scrollable.getScrollDimensions(); return scrollDimensions.scrollWidth; }; ViewLayout.prototype.getScrollHeight = function () { var scrollDimensions = this.scrollable.getScrollDimensions(); return scrollDimensions.scrollHeight; }; ViewLayout.prototype.getCurrentScrollLeft = function () { var currentScrollPosition = this.scrollable.getCurrentScrollPosition(); return currentScrollPosition.scrollLeft; }; ViewLayout.prototype.getCurrentScrollTop = function () { var currentScrollPosition = this.scrollable.getCurrentScrollPosition(); return currentScrollPosition.scrollTop; }; ViewLayout.prototype.validateScrollPosition = function (scrollPosition) { return this.scrollable.validateScrollPosition(scrollPosition); }; ViewLayout.prototype.setScrollPositionNow = function (position) { this.scrollable.setScrollPositionNow(position); }; ViewLayout.prototype.setScrollPositionSmooth = function (position) { this.scrollable.setScrollPositionSmooth(position); }; ViewLayout.prototype.deltaScrollNow = function (deltaScrollLeft, deltaScrollTop) { var currentScrollPosition = this.scrollable.getCurrentScrollPosition(); this.scrollable.setScrollPositionNow({ scrollLeft: currentScrollPosition.scrollLeft + deltaScrollLeft, scrollTop: currentScrollPosition.scrollTop + deltaScrollTop }); }; return ViewLayout; }(__WEBPACK_IMPORTED_MODULE_0__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2020: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LinesLayout; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__whitespaceComputer_js__ = __webpack_require__(2021); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Layouting of objects that take vertical space (by having a height) and push down other objects. * * These objects are basically either text (lines) or spaces between those lines (whitespaces). * This provides commodity operations for working with lines that contain whitespace that pushes lines lower (vertically). * This is written with no knowledge of an editor in mind. */ var LinesLayout = /** @class */ (function () { function LinesLayout(lineCount, lineHeight) { this._lineCount = lineCount; this._lineHeight = lineHeight; this._whitespaces = new __WEBPACK_IMPORTED_MODULE_0__whitespaceComputer_js__["a" /* WhitespaceComputer */](); } /** * Change the height of a line in pixels. */ LinesLayout.prototype.setLineHeight = function (lineHeight) { this._lineHeight = lineHeight; }; /** * Set the number of lines. * * @param lineCount New number of lines. */ LinesLayout.prototype.onFlushed = function (lineCount) { this._lineCount = lineCount; }; /** * Insert a new whitespace of a certain height after a line number. * The whitespace has a "sticky" characteristic. * Irrespective of edits above or below `afterLineNumber`, the whitespace will follow the initial line. * * @param afterLineNumber The conceptual position of this whitespace. The whitespace will follow this line as best as possible even when deleting/inserting lines above/below. * @param heightInPx The height of the whitespace, in pixels. * @return An id that can be used later to mutate or delete the whitespace */ LinesLayout.prototype.insertWhitespace = function (afterLineNumber, ordinal, heightInPx, minWidth) { return this._whitespaces.insertWhitespace(afterLineNumber, ordinal, heightInPx, minWidth); }; /** * Change properties associated with a certain whitespace. */ LinesLayout.prototype.changeWhitespace = function (id, newAfterLineNumber, newHeight) { return this._whitespaces.changeWhitespace(id, newAfterLineNumber, newHeight); }; /** * Remove an existing whitespace. * * @param id The whitespace to remove * @return Returns true if the whitespace is found and it is removed. */ LinesLayout.prototype.removeWhitespace = function (id) { return this._whitespaces.removeWhitespace(id); }; /** * Notify the layouter that lines have been deleted (a continuous zone of lines). * * @param fromLineNumber The line number at which the deletion started, inclusive * @param toLineNumber The line number at which the deletion ended, inclusive */ LinesLayout.prototype.onLinesDeleted = function (fromLineNumber, toLineNumber) { this._lineCount -= (toLineNumber - fromLineNumber + 1); this._whitespaces.onLinesDeleted(fromLineNumber, toLineNumber); }; /** * Notify the layouter that lines have been inserted (a continuous zone of lines). * * @param fromLineNumber The line number at which the insertion started, inclusive * @param toLineNumber The line number at which the insertion ended, inclusive. */ LinesLayout.prototype.onLinesInserted = function (fromLineNumber, toLineNumber) { this._lineCount += (toLineNumber - fromLineNumber + 1); this._whitespaces.onLinesInserted(fromLineNumber, toLineNumber); }; /** * Get the sum of heights for all objects. * * @return The sum of heights for all objects. */ LinesLayout.prototype.getLinesTotalHeight = function () { var linesHeight = this._lineHeight * this._lineCount; var whitespacesHeight = this._whitespaces.getTotalHeight(); return linesHeight + whitespacesHeight; }; /** * Get the vertical offset (the sum of heights for all objects above) a certain line number. * * @param lineNumber The line number * @return The sum of heights for all objects above `lineNumber`. */ LinesLayout.prototype.getVerticalOffsetForLineNumber = function (lineNumber) { lineNumber = lineNumber | 0; var previousLinesHeight; if (lineNumber > 1) { previousLinesHeight = this._lineHeight * (lineNumber - 1); } else { previousLinesHeight = 0; } var previousWhitespacesHeight = this._whitespaces.getAccumulatedHeightBeforeLineNumber(lineNumber); return previousLinesHeight + previousWhitespacesHeight; }; /** * Returns the accumulated height of whitespaces before the given line number. * * @param lineNumber The line number */ LinesLayout.prototype.getWhitespaceAccumulatedHeightBeforeLineNumber = function (lineNumber) { return this._whitespaces.getAccumulatedHeightBeforeLineNumber(lineNumber); }; LinesLayout.prototype.getWhitespaceMinWidth = function () { return this._whitespaces.getMinWidth(); }; /** * Check if `verticalOffset` is below all lines. */ LinesLayout.prototype.isAfterLines = function (verticalOffset) { var totalHeight = this.getLinesTotalHeight(); return verticalOffset > totalHeight; }; /** * Find the first line number that is at or after vertical offset `verticalOffset`. * i.e. if getVerticalOffsetForLine(line) is x and getVerticalOffsetForLine(line + 1) is y, then * getLineNumberAtOrAfterVerticalOffset(i) = line, x <= i < y. * * @param verticalOffset The vertical offset to search at. * @return The line number at or after vertical offset `verticalOffset`. */ LinesLayout.prototype.getLineNumberAtOrAfterVerticalOffset = function (verticalOffset) { verticalOffset = verticalOffset | 0; if (verticalOffset < 0) { return 1; } var linesCount = this._lineCount | 0; var lineHeight = this._lineHeight; var minLineNumber = 1; var maxLineNumber = linesCount; while (minLineNumber < maxLineNumber) { var midLineNumber = ((minLineNumber + maxLineNumber) / 2) | 0; var midLineNumberVerticalOffset = this.getVerticalOffsetForLineNumber(midLineNumber) | 0; if (verticalOffset >= midLineNumberVerticalOffset + lineHeight) { // vertical offset is after mid line number minLineNumber = midLineNumber + 1; } else if (verticalOffset >= midLineNumberVerticalOffset) { // Hit return midLineNumber; } else { // vertical offset is before mid line number, but mid line number could still be what we're searching for maxLineNumber = midLineNumber; } } if (minLineNumber > linesCount) { return linesCount; } return minLineNumber; }; /** * Get all the lines and their relative vertical offsets that are positioned between `verticalOffset1` and `verticalOffset2`. * * @param verticalOffset1 The beginning of the viewport. * @param verticalOffset2 The end of the viewport. * @return A structure describing the lines positioned between `verticalOffset1` and `verticalOffset2`. */ LinesLayout.prototype.getLinesViewportData = function (verticalOffset1, verticalOffset2) { verticalOffset1 = verticalOffset1 | 0; verticalOffset2 = verticalOffset2 | 0; var lineHeight = this._lineHeight; // Find first line number // We don't live in a perfect world, so the line number might start before or after verticalOffset1 var startLineNumber = this.getLineNumberAtOrAfterVerticalOffset(verticalOffset1) | 0; var startLineNumberVerticalOffset = this.getVerticalOffsetForLineNumber(startLineNumber) | 0; var endLineNumber = this._lineCount | 0; // Also keep track of what whitespace we've got var whitespaceIndex = this._whitespaces.getFirstWhitespaceIndexAfterLineNumber(startLineNumber) | 0; var whitespaceCount = this._whitespaces.getCount() | 0; var currentWhitespaceHeight; var currentWhitespaceAfterLineNumber; if (whitespaceIndex === -1) { whitespaceIndex = whitespaceCount; currentWhitespaceAfterLineNumber = endLineNumber + 1; currentWhitespaceHeight = 0; } else { currentWhitespaceAfterLineNumber = this._whitespaces.getAfterLineNumberForWhitespaceIndex(whitespaceIndex) | 0; currentWhitespaceHeight = this._whitespaces.getHeightForWhitespaceIndex(whitespaceIndex) | 0; } var currentVerticalOffset = startLineNumberVerticalOffset; var currentLineRelativeOffset = currentVerticalOffset; // IE (all versions) cannot handle units above about 1,533,908 px, so every 500k pixels bring numbers down var STEP_SIZE = 500000; var bigNumbersDelta = 0; if (startLineNumberVerticalOffset >= STEP_SIZE) { // Compute a delta that guarantees that lines are positioned at `lineHeight` increments bigNumbersDelta = Math.floor(startLineNumberVerticalOffset / STEP_SIZE) * STEP_SIZE; bigNumbersDelta = Math.floor(bigNumbersDelta / lineHeight) * lineHeight; currentLineRelativeOffset -= bigNumbersDelta; } var linesOffsets = []; var verticalCenter = verticalOffset1 + (verticalOffset2 - verticalOffset1) / 2; var centeredLineNumber = -1; // Figure out how far the lines go for (var lineNumber = startLineNumber; lineNumber <= endLineNumber; lineNumber++) { if (centeredLineNumber === -1) { var currentLineTop = currentVerticalOffset; var currentLineBottom = currentVerticalOffset + lineHeight; if ((currentLineTop <= verticalCenter && verticalCenter < currentLineBottom) || currentLineTop > verticalCenter) { centeredLineNumber = lineNumber; } } // Count current line height in the vertical offsets currentVerticalOffset += lineHeight; linesOffsets[lineNumber - startLineNumber] = currentLineRelativeOffset; // Next line starts immediately after this one currentLineRelativeOffset += lineHeight; while (currentWhitespaceAfterLineNumber === lineNumber) { // Push down next line with the height of the current whitespace currentLineRelativeOffset += currentWhitespaceHeight; // Count current whitespace in the vertical offsets currentVerticalOffset += currentWhitespaceHeight; whitespaceIndex++; if (whitespaceIndex >= whitespaceCount) { currentWhitespaceAfterLineNumber = endLineNumber + 1; } else { currentWhitespaceAfterLineNumber = this._whitespaces.getAfterLineNumberForWhitespaceIndex(whitespaceIndex) | 0; currentWhitespaceHeight = this._whitespaces.getHeightForWhitespaceIndex(whitespaceIndex) | 0; } } if (currentVerticalOffset >= verticalOffset2) { // We have covered the entire viewport area, time to stop endLineNumber = lineNumber; break; } } if (centeredLineNumber === -1) { centeredLineNumber = endLineNumber; } var endLineNumberVerticalOffset = this.getVerticalOffsetForLineNumber(endLineNumber) | 0; var completelyVisibleStartLineNumber = startLineNumber; var completelyVisibleEndLineNumber = endLineNumber; if (completelyVisibleStartLineNumber < completelyVisibleEndLineNumber) { if (startLineNumberVerticalOffset < verticalOffset1) { completelyVisibleStartLineNumber++; } } if (completelyVisibleStartLineNumber < completelyVisibleEndLineNumber) { if (endLineNumberVerticalOffset + lineHeight > verticalOffset2) { completelyVisibleEndLineNumber--; } } return { bigNumbersDelta: bigNumbersDelta, startLineNumber: startLineNumber, endLineNumber: endLineNumber, relativeVerticalOffset: linesOffsets, centeredLineNumber: centeredLineNumber, completelyVisibleStartLineNumber: completelyVisibleStartLineNumber, completelyVisibleEndLineNumber: completelyVisibleEndLineNumber }; }; LinesLayout.prototype.getVerticalOffsetForWhitespaceIndex = function (whitespaceIndex) { whitespaceIndex = whitespaceIndex | 0; var afterLineNumber = this._whitespaces.getAfterLineNumberForWhitespaceIndex(whitespaceIndex); var previousLinesHeight; if (afterLineNumber >= 1) { previousLinesHeight = this._lineHeight * afterLineNumber; } else { previousLinesHeight = 0; } var previousWhitespacesHeight; if (whitespaceIndex > 0) { previousWhitespacesHeight = this._whitespaces.getAccumulatedHeight(whitespaceIndex - 1); } else { previousWhitespacesHeight = 0; } return previousLinesHeight + previousWhitespacesHeight; }; LinesLayout.prototype.getWhitespaceIndexAtOrAfterVerticallOffset = function (verticalOffset) { verticalOffset = verticalOffset | 0; var midWhitespaceIndex, minWhitespaceIndex = 0, maxWhitespaceIndex = this._whitespaces.getCount() - 1, midWhitespaceVerticalOffset, midWhitespaceHeight; if (maxWhitespaceIndex < 0) { return -1; } // Special case: nothing to be found var maxWhitespaceVerticalOffset = this.getVerticalOffsetForWhitespaceIndex(maxWhitespaceIndex); var maxWhitespaceHeight = this._whitespaces.getHeightForWhitespaceIndex(maxWhitespaceIndex); if (verticalOffset >= maxWhitespaceVerticalOffset + maxWhitespaceHeight) { return -1; } while (minWhitespaceIndex < maxWhitespaceIndex) { midWhitespaceIndex = Math.floor((minWhitespaceIndex + maxWhitespaceIndex) / 2); midWhitespaceVerticalOffset = this.getVerticalOffsetForWhitespaceIndex(midWhitespaceIndex); midWhitespaceHeight = this._whitespaces.getHeightForWhitespaceIndex(midWhitespaceIndex); if (verticalOffset >= midWhitespaceVerticalOffset + midWhitespaceHeight) { // vertical offset is after whitespace minWhitespaceIndex = midWhitespaceIndex + 1; } else if (verticalOffset >= midWhitespaceVerticalOffset) { // Hit return midWhitespaceIndex; } else { // vertical offset is before whitespace, but midWhitespaceIndex might still be what we're searching for maxWhitespaceIndex = midWhitespaceIndex; } } return minWhitespaceIndex; }; /** * Get exactly the whitespace that is layouted at `verticalOffset`. * * @param verticalOffset The vertical offset. * @return Precisely the whitespace that is layouted at `verticaloffset` or null. */ LinesLayout.prototype.getWhitespaceAtVerticalOffset = function (verticalOffset) { verticalOffset = verticalOffset | 0; var candidateIndex = this.getWhitespaceIndexAtOrAfterVerticallOffset(verticalOffset); if (candidateIndex < 0) { return null; } if (candidateIndex >= this._whitespaces.getCount()) { return null; } var candidateTop = this.getVerticalOffsetForWhitespaceIndex(candidateIndex); if (candidateTop > verticalOffset) { return null; } var candidateHeight = this._whitespaces.getHeightForWhitespaceIndex(candidateIndex); var candidateId = this._whitespaces.getIdForWhitespaceIndex(candidateIndex); var candidateAfterLineNumber = this._whitespaces.getAfterLineNumberForWhitespaceIndex(candidateIndex); return { id: candidateId, afterLineNumber: candidateAfterLineNumber, verticalOffset: candidateTop, height: candidateHeight }; }; /** * Get a list of whitespaces that are positioned between `verticalOffset1` and `verticalOffset2`. * * @param verticalOffset1 The beginning of the viewport. * @param verticalOffset2 The end of the viewport. * @return An array with all the whitespaces in the viewport. If no whitespace is in viewport, the array is empty. */ LinesLayout.prototype.getWhitespaceViewportData = function (verticalOffset1, verticalOffset2) { verticalOffset1 = verticalOffset1 | 0; verticalOffset2 = verticalOffset2 | 0; var startIndex = this.getWhitespaceIndexAtOrAfterVerticallOffset(verticalOffset1); var endIndex = this._whitespaces.getCount() - 1; if (startIndex < 0) { return []; } var result = []; for (var i = startIndex; i <= endIndex; i++) { var top_1 = this.getVerticalOffsetForWhitespaceIndex(i); var height = this._whitespaces.getHeightForWhitespaceIndex(i); if (top_1 >= verticalOffset2) { break; } result.push({ id: this._whitespaces.getIdForWhitespaceIndex(i), afterLineNumber: this._whitespaces.getAfterLineNumberForWhitespaceIndex(i), verticalOffset: top_1, height: height }); } return result; }; /** * Get all whitespaces. */ LinesLayout.prototype.getWhitespaces = function () { return this._whitespaces.getWhitespaces(this._lineHeight); }; return LinesLayout; }()); /***/ }), /***/ 2021: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return WhitespaceComputer; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Represent whitespaces in between lines and provide fast CRUD management methods. * The whitespaces are sorted ascending by `afterLineNumber`. */ var WhitespaceComputer = /** @class */ (function () { function WhitespaceComputer() { this._heights = []; this._minWidths = []; this._ids = []; this._afterLineNumbers = []; this._ordinals = []; this._prefixSum = []; this._prefixSumValidIndex = -1; this._whitespaceId2Index = {}; this._lastWhitespaceId = 0; this._minWidth = -1; /* marker for not being computed */ } /** * Find the insertion index for a new value inside a sorted array of values. * If the value is already present in the sorted array, the insertion index will be after the already existing value. */ WhitespaceComputer.findInsertionIndex = function (sortedArray, value, ordinals, valueOrdinal) { var low = 0; var high = sortedArray.length; while (low < high) { var mid = ((low + high) >>> 1); if (value === sortedArray[mid]) { if (valueOrdinal < ordinals[mid]) { high = mid; } else { low = mid + 1; } } else if (value < sortedArray[mid]) { high = mid; } else { low = mid + 1; } } return low; }; /** * Insert a new whitespace of a certain height after a line number. * The whitespace has a "sticky" characteristic. * Irrespective of edits above or below `afterLineNumber`, the whitespace will follow the initial line. * * @param afterLineNumber The conceptual position of this whitespace. The whitespace will follow this line as best as possible even when deleting/inserting lines above/below. * @param heightInPx The height of the whitespace, in pixels. * @return An id that can be used later to mutate or delete the whitespace */ WhitespaceComputer.prototype.insertWhitespace = function (afterLineNumber, ordinal, heightInPx, minWidth) { afterLineNumber = afterLineNumber | 0; ordinal = ordinal | 0; heightInPx = heightInPx | 0; minWidth = minWidth | 0; var id = (++this._lastWhitespaceId); var insertionIndex = WhitespaceComputer.findInsertionIndex(this._afterLineNumbers, afterLineNumber, this._ordinals, ordinal); this._insertWhitespaceAtIndex(id, insertionIndex, afterLineNumber, ordinal, heightInPx, minWidth); this._minWidth = -1; /* marker for not being computed */ return id; }; WhitespaceComputer.prototype._insertWhitespaceAtIndex = function (id, insertIndex, afterLineNumber, ordinal, heightInPx, minWidth) { id = id | 0; insertIndex = insertIndex | 0; afterLineNumber = afterLineNumber | 0; ordinal = ordinal | 0; heightInPx = heightInPx | 0; minWidth = minWidth | 0; this._heights.splice(insertIndex, 0, heightInPx); this._minWidths.splice(insertIndex, 0, minWidth); this._ids.splice(insertIndex, 0, id); this._afterLineNumbers.splice(insertIndex, 0, afterLineNumber); this._ordinals.splice(insertIndex, 0, ordinal); this._prefixSum.splice(insertIndex, 0, 0); var keys = Object.keys(this._whitespaceId2Index); for (var i = 0, len = keys.length; i < len; i++) { var sid = keys[i]; var oldIndex = this._whitespaceId2Index[sid]; if (oldIndex >= insertIndex) { this._whitespaceId2Index[sid] = oldIndex + 1; } } this._whitespaceId2Index[id.toString()] = insertIndex; this._prefixSumValidIndex = Math.min(this._prefixSumValidIndex, insertIndex - 1); }; /** * Change properties associated with a certain whitespace. */ WhitespaceComputer.prototype.changeWhitespace = function (id, newAfterLineNumber, newHeight) { id = id | 0; newAfterLineNumber = newAfterLineNumber | 0; newHeight = newHeight | 0; var hasChanges = false; hasChanges = this.changeWhitespaceHeight(id, newHeight) || hasChanges; hasChanges = this.changeWhitespaceAfterLineNumber(id, newAfterLineNumber) || hasChanges; return hasChanges; }; /** * Change the height of an existing whitespace * * @param id The whitespace to change * @param newHeightInPx The new height of the whitespace, in pixels * @return Returns true if the whitespace is found and if the new height is different than the old height */ WhitespaceComputer.prototype.changeWhitespaceHeight = function (id, newHeightInPx) { id = id | 0; newHeightInPx = newHeightInPx | 0; var sid = id.toString(); if (this._whitespaceId2Index.hasOwnProperty(sid)) { var index = this._whitespaceId2Index[sid]; if (this._heights[index] !== newHeightInPx) { this._heights[index] = newHeightInPx; this._prefixSumValidIndex = Math.min(this._prefixSumValidIndex, index - 1); return true; } } return false; }; /** * Change the line number after which an existing whitespace flows. * * @param id The whitespace to change * @param newAfterLineNumber The new line number the whitespace will follow * @return Returns true if the whitespace is found and if the new line number is different than the old line number */ WhitespaceComputer.prototype.changeWhitespaceAfterLineNumber = function (id, newAfterLineNumber) { id = id | 0; newAfterLineNumber = newAfterLineNumber | 0; var sid = id.toString(); if (this._whitespaceId2Index.hasOwnProperty(sid)) { var index = this._whitespaceId2Index[sid]; if (this._afterLineNumbers[index] !== newAfterLineNumber) { // `afterLineNumber` changed for this whitespace // Record old ordinal var ordinal = this._ordinals[index]; // Record old height var heightInPx = this._heights[index]; // Record old min width var minWidth = this._minWidths[index]; // Since changing `afterLineNumber` can trigger a reordering, we're gonna remove this whitespace this.removeWhitespace(id); // And add it again var insertionIndex = WhitespaceComputer.findInsertionIndex(this._afterLineNumbers, newAfterLineNumber, this._ordinals, ordinal); this._insertWhitespaceAtIndex(id, insertionIndex, newAfterLineNumber, ordinal, heightInPx, minWidth); return true; } } return false; }; /** * Remove an existing whitespace. * * @param id The whitespace to remove * @return Returns true if the whitespace is found and it is removed. */ WhitespaceComputer.prototype.removeWhitespace = function (id) { id = id | 0; var sid = id.toString(); if (this._whitespaceId2Index.hasOwnProperty(sid)) { var index = this._whitespaceId2Index[sid]; delete this._whitespaceId2Index[sid]; this._removeWhitespaceAtIndex(index); this._minWidth = -1; /* marker for not being computed */ return true; } return false; }; WhitespaceComputer.prototype._removeWhitespaceAtIndex = function (removeIndex) { removeIndex = removeIndex | 0; this._heights.splice(removeIndex, 1); this._minWidths.splice(removeIndex, 1); this._ids.splice(removeIndex, 1); this._afterLineNumbers.splice(removeIndex, 1); this._ordinals.splice(removeIndex, 1); this._prefixSum.splice(removeIndex, 1); this._prefixSumValidIndex = Math.min(this._prefixSumValidIndex, removeIndex - 1); var keys = Object.keys(this._whitespaceId2Index); for (var i = 0, len = keys.length; i < len; i++) { var sid = keys[i]; var oldIndex = this._whitespaceId2Index[sid]; if (oldIndex >= removeIndex) { this._whitespaceId2Index[sid] = oldIndex - 1; } } }; /** * Notify the computer that lines have been deleted (a continuous zone of lines). * This gives it a chance to update `afterLineNumber` for whitespaces, giving the "sticky" characteristic. * * @param fromLineNumber The line number at which the deletion started, inclusive * @param toLineNumber The line number at which the deletion ended, inclusive */ WhitespaceComputer.prototype.onLinesDeleted = function (fromLineNumber, toLineNumber) { fromLineNumber = fromLineNumber | 0; toLineNumber = toLineNumber | 0; for (var i = 0, len = this._afterLineNumbers.length; i < len; i++) { var afterLineNumber = this._afterLineNumbers[i]; if (fromLineNumber <= afterLineNumber && afterLineNumber <= toLineNumber) { // The line this whitespace was after has been deleted // => move whitespace to before first deleted line this._afterLineNumbers[i] = fromLineNumber - 1; } else if (afterLineNumber > toLineNumber) { // The line this whitespace was after has been moved up // => move whitespace up this._afterLineNumbers[i] -= (toLineNumber - fromLineNumber + 1); } } }; /** * Notify the computer that lines have been inserted (a continuous zone of lines). * This gives it a chance to update `afterLineNumber` for whitespaces, giving the "sticky" characteristic. * * @param fromLineNumber The line number at which the insertion started, inclusive * @param toLineNumber The line number at which the insertion ended, inclusive. */ WhitespaceComputer.prototype.onLinesInserted = function (fromLineNumber, toLineNumber) { fromLineNumber = fromLineNumber | 0; toLineNumber = toLineNumber | 0; for (var i = 0, len = this._afterLineNumbers.length; i < len; i++) { var afterLineNumber = this._afterLineNumbers[i]; if (fromLineNumber <= afterLineNumber) { this._afterLineNumbers[i] += (toLineNumber - fromLineNumber + 1); } } }; /** * Get the sum of all the whitespaces. */ WhitespaceComputer.prototype.getTotalHeight = function () { if (this._heights.length === 0) { return 0; } return this.getAccumulatedHeight(this._heights.length - 1); }; /** * Return the sum of the heights of the whitespaces at [0..index]. * This includes the whitespace at `index`. * * @param index The index of the whitespace. * @return The sum of the heights of all whitespaces before the one at `index`, including the one at `index`. */ WhitespaceComputer.prototype.getAccumulatedHeight = function (index) { index = index | 0; var startIndex = Math.max(0, this._prefixSumValidIndex + 1); if (startIndex === 0) { this._prefixSum[0] = this._heights[0]; startIndex++; } for (var i = startIndex; i <= index; i++) { this._prefixSum[i] = this._prefixSum[i - 1] + this._heights[i]; } this._prefixSumValidIndex = Math.max(this._prefixSumValidIndex, index); return this._prefixSum[index]; }; /** * Find all whitespaces with `afterLineNumber` < `lineNumber` and return the sum of their heights. * * @param lineNumber The line number whitespaces should be before. * @return The sum of the heights of the whitespaces before `lineNumber`. */ WhitespaceComputer.prototype.getAccumulatedHeightBeforeLineNumber = function (lineNumber) { lineNumber = lineNumber | 0; var lastWhitespaceBeforeLineNumber = this._findLastWhitespaceBeforeLineNumber(lineNumber); if (lastWhitespaceBeforeLineNumber === -1) { return 0; } return this.getAccumulatedHeight(lastWhitespaceBeforeLineNumber); }; WhitespaceComputer.prototype._findLastWhitespaceBeforeLineNumber = function (lineNumber) { lineNumber = lineNumber | 0; // Find the whitespace before line number var afterLineNumbers = this._afterLineNumbers; var low = 0; var high = afterLineNumbers.length - 1; while (low <= high) { var delta = (high - low) | 0; var halfDelta = (delta / 2) | 0; var mid = (low + halfDelta) | 0; if (afterLineNumbers[mid] < lineNumber) { if (mid + 1 >= afterLineNumbers.length || afterLineNumbers[mid + 1] >= lineNumber) { return mid; } else { low = (mid + 1) | 0; } } else { high = (mid - 1) | 0; } } return -1; }; WhitespaceComputer.prototype._findFirstWhitespaceAfterLineNumber = function (lineNumber) { lineNumber = lineNumber | 0; var lastWhitespaceBeforeLineNumber = this._findLastWhitespaceBeforeLineNumber(lineNumber); var firstWhitespaceAfterLineNumber = lastWhitespaceBeforeLineNumber + 1; if (firstWhitespaceAfterLineNumber < this._heights.length) { return firstWhitespaceAfterLineNumber; } return -1; }; /** * Find the index of the first whitespace which has `afterLineNumber` >= `lineNumber`. * @return The index of the first whitespace with `afterLineNumber` >= `lineNumber` or -1 if no whitespace is found. */ WhitespaceComputer.prototype.getFirstWhitespaceIndexAfterLineNumber = function (lineNumber) { lineNumber = lineNumber | 0; return this._findFirstWhitespaceAfterLineNumber(lineNumber); }; /** * The number of whitespaces. */ WhitespaceComputer.prototype.getCount = function () { return this._heights.length; }; /** * The maximum min width for all whitespaces. */ WhitespaceComputer.prototype.getMinWidth = function () { if (this._minWidth === -1) { var minWidth = 0; for (var i = 0, len = this._minWidths.length; i < len; i++) { minWidth = Math.max(minWidth, this._minWidths[i]); } this._minWidth = minWidth; } return this._minWidth; }; /** * Get the `afterLineNumber` for whitespace at index `index`. * * @param index The index of the whitespace. * @return `afterLineNumber` of whitespace at `index`. */ WhitespaceComputer.prototype.getAfterLineNumberForWhitespaceIndex = function (index) { index = index | 0; return this._afterLineNumbers[index]; }; /** * Get the `id` for whitespace at index `index`. * * @param index The index of the whitespace. * @return `id` of whitespace at `index`. */ WhitespaceComputer.prototype.getIdForWhitespaceIndex = function (index) { index = index | 0; return this._ids[index]; }; /** * Get the `height` for whitespace at index `index`. * * @param index The index of the whitespace. * @return `height` of whitespace at `index`. */ WhitespaceComputer.prototype.getHeightForWhitespaceIndex = function (index) { index = index | 0; return this._heights[index]; }; /** * Get all whitespaces. */ WhitespaceComputer.prototype.getWhitespaces = function (deviceLineHeight) { deviceLineHeight = deviceLineHeight | 0; var result = []; for (var i = 0; i < this._heights.length; i++) { result.push({ id: this._ids[i], afterLineNumber: this._afterLineNumbers[i], heightInLines: this._heights[i] / deviceLineHeight }); } return result; }; return WhitespaceComputer; }()); /***/ }), /***/ 2022: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CharacterHardWrappingLineMapperFactory; }); /* unused harmony export CharacterHardWrappingLineMapping */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_characterClassifier_js__ = __webpack_require__(1567); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__core_uint_js__ = __webpack_require__(1444); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__prefixSumComputer_js__ = __webpack_require__(1566); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__splitLinesCollection_js__ = __webpack_require__(1714); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var WrappingCharacterClassifier = /** @class */ (function (_super) { __extends(WrappingCharacterClassifier, _super); function WrappingCharacterClassifier(BREAK_BEFORE, BREAK_AFTER, BREAK_OBTRUSIVE) { var _this = _super.call(this, 0 /* NONE */) || this; for (var i = 0; i < BREAK_BEFORE.length; i++) { _this.set(BREAK_BEFORE.charCodeAt(i), 1 /* BREAK_BEFORE */); } for (var i = 0; i < BREAK_AFTER.length; i++) { _this.set(BREAK_AFTER.charCodeAt(i), 2 /* BREAK_AFTER */); } for (var i = 0; i < BREAK_OBTRUSIVE.length; i++) { _this.set(BREAK_OBTRUSIVE.charCodeAt(i), 3 /* BREAK_OBTRUSIVE */); } return _this; } WrappingCharacterClassifier.prototype.get = function (charCode) { // Initialize CharacterClass.BREAK_IDEOGRAPHIC for these Unicode ranges: // 1. CJK Unified Ideographs (0x4E00 -- 0x9FFF) // 2. CJK Unified Ideographs Extension A (0x3400 -- 0x4DBF) // 3. Hiragana and Katakana (0x3040 -- 0x30FF) if ((charCode >= 0x3040 && charCode <= 0x30FF) || (charCode >= 0x3400 && charCode <= 0x4DBF) || (charCode >= 0x4E00 && charCode <= 0x9FFF)) { return 4 /* BREAK_IDEOGRAPHIC */; } return _super.prototype.get.call(this, charCode); }; return WrappingCharacterClassifier; }(__WEBPACK_IMPORTED_MODULE_1__core_characterClassifier_js__["a" /* CharacterClassifier */])); var CharacterHardWrappingLineMapperFactory = /** @class */ (function () { function CharacterHardWrappingLineMapperFactory(breakBeforeChars, breakAfterChars, breakObtrusiveChars) { this.classifier = new WrappingCharacterClassifier(breakBeforeChars, breakAfterChars, breakObtrusiveChars); } // TODO@Alex -> duplicated in lineCommentCommand CharacterHardWrappingLineMapperFactory.nextVisibleColumn = function (currentVisibleColumn, tabSize, isTab, columnSize) { currentVisibleColumn = +currentVisibleColumn; //@perf tabSize = +tabSize; //@perf columnSize = +columnSize; //@perf if (isTab) { return currentVisibleColumn + (tabSize - (currentVisibleColumn % tabSize)); } return currentVisibleColumn + columnSize; }; CharacterHardWrappingLineMapperFactory.prototype.createLineMapping = function (lineText, tabSize, breakingColumn, columnsForFullWidthChar, hardWrappingIndent) { if (breakingColumn === -1) { return null; } tabSize = +tabSize; //@perf breakingColumn = +breakingColumn; //@perf columnsForFullWidthChar = +columnsForFullWidthChar; //@perf hardWrappingIndent = +hardWrappingIndent; //@perf var wrappedTextIndentVisibleColumn = 0; var wrappedTextIndent = ''; var firstNonWhitespaceIndex = -1; if (hardWrappingIndent !== 0 /* None */) { firstNonWhitespaceIndex = __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["n" /* firstNonWhitespaceIndex */](lineText); if (firstNonWhitespaceIndex !== -1) { // Track existing indent wrappedTextIndent = lineText.substring(0, firstNonWhitespaceIndex); for (var i = 0; i < firstNonWhitespaceIndex; i++) { wrappedTextIndentVisibleColumn = CharacterHardWrappingLineMapperFactory.nextVisibleColumn(wrappedTextIndentVisibleColumn, tabSize, lineText.charCodeAt(i) === 9 /* Tab */, 1); } // Increase indent of continuation lines, if desired var numberOfAdditionalTabs = 0; if (hardWrappingIndent === 2 /* Indent */) { numberOfAdditionalTabs = 1; } else if (hardWrappingIndent === 3 /* DeepIndent */) { numberOfAdditionalTabs = 2; } for (var i = 0; i < numberOfAdditionalTabs; i++) { wrappedTextIndent += '\t'; wrappedTextIndentVisibleColumn = CharacterHardWrappingLineMapperFactory.nextVisibleColumn(wrappedTextIndentVisibleColumn, tabSize, true, 1); } // Force sticking to beginning of line if no character would fit except for the indentation if (wrappedTextIndentVisibleColumn + columnsForFullWidthChar > breakingColumn) { wrappedTextIndent = ''; wrappedTextIndentVisibleColumn = 0; } } } var classifier = this.classifier; var lastBreakingOffset = 0; // Last 0-based offset in the lineText at which a break happened var breakingLengths = []; // The length of each broken-up line text var breakingLengthsIndex = 0; // The count of breaks already done var visibleColumn = 0; // Visible column since the beginning of the current line var niceBreakOffset = -1; // Last index of a character that indicates a break should happen before it (more desirable) var niceBreakVisibleColumn = 0; // visible column if a break were to be later introduced before `niceBreakOffset` var obtrusiveBreakOffset = -1; // Last index of a character that indicates a break should happen before it (less desirable) var obtrusiveBreakVisibleColumn = 0; // visible column if a break were to be later introduced before `obtrusiveBreakOffset` var len = lineText.length; for (var i = 0; i < len; i++) { // At this point, there is a certainty that the character before `i` fits on the current line, // but the character at `i` might not fit var charCode = lineText.charCodeAt(i); var charCodeIsTab = (charCode === 9 /* Tab */); var charCodeClass = classifier.get(charCode); if (charCodeClass === 1 /* BREAK_BEFORE */) { // This is a character that indicates that a break should happen before it // Since we are certain the character before `i` fits, there's no extra checking needed, // just mark it as a nice breaking opportunity niceBreakOffset = i; niceBreakVisibleColumn = wrappedTextIndentVisibleColumn; } // CJK breaking : before break if (charCodeClass === 4 /* BREAK_IDEOGRAPHIC */ && i > 0) { var prevCode = lineText.charCodeAt(i - 1); var prevClass = classifier.get(prevCode); if (prevClass !== 1 /* BREAK_BEFORE */) { // Kinsoku Shori: Don't break after a leading character, like an open bracket niceBreakOffset = i; niceBreakVisibleColumn = wrappedTextIndentVisibleColumn; } } var charColumnSize = 1; if (__WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["s" /* isFullWidthCharacter */](charCode)) { charColumnSize = columnsForFullWidthChar; } // Advance visibleColumn with character at `i` visibleColumn = CharacterHardWrappingLineMapperFactory.nextVisibleColumn(visibleColumn, tabSize, charCodeIsTab, charColumnSize); if (visibleColumn > breakingColumn && i !== 0) { // We need to break at least before character at `i`: // - break before niceBreakLastOffset if it exists (and re-establish a correct visibleColumn by using niceBreakVisibleColumn + charAt(i)) // - otherwise, break before obtrusiveBreakLastOffset if it exists (and re-establish a correct visibleColumn by using obtrusiveBreakVisibleColumn + charAt(i)) // - otherwise, break before i (and re-establish a correct visibleColumn by charAt(i)) var breakBeforeOffset = void 0; var restoreVisibleColumnFrom = void 0; if (niceBreakOffset !== -1 && niceBreakVisibleColumn <= breakingColumn) { // We will break before `niceBreakLastOffset` breakBeforeOffset = niceBreakOffset; restoreVisibleColumnFrom = niceBreakVisibleColumn; } else if (obtrusiveBreakOffset !== -1 && obtrusiveBreakVisibleColumn <= breakingColumn) { // We will break before `obtrusiveBreakLastOffset` breakBeforeOffset = obtrusiveBreakOffset; restoreVisibleColumnFrom = obtrusiveBreakVisibleColumn; } else { // We will break before `i` breakBeforeOffset = i; restoreVisibleColumnFrom = wrappedTextIndentVisibleColumn; } // Break before character at `breakBeforeOffset` breakingLengths[breakingLengthsIndex++] = breakBeforeOffset - lastBreakingOffset; lastBreakingOffset = breakBeforeOffset; // Re-establish visibleColumn by taking character at `i` into account visibleColumn = CharacterHardWrappingLineMapperFactory.nextVisibleColumn(restoreVisibleColumnFrom, tabSize, charCodeIsTab, charColumnSize); // Reset markers niceBreakOffset = -1; niceBreakVisibleColumn = 0; obtrusiveBreakOffset = -1; obtrusiveBreakVisibleColumn = 0; } // At this point, there is a certainty that the character at `i` fits on the current line if (niceBreakOffset !== -1) { // Advance niceBreakVisibleColumn niceBreakVisibleColumn = CharacterHardWrappingLineMapperFactory.nextVisibleColumn(niceBreakVisibleColumn, tabSize, charCodeIsTab, charColumnSize); } if (obtrusiveBreakOffset !== -1) { // Advance obtrusiveBreakVisibleColumn obtrusiveBreakVisibleColumn = CharacterHardWrappingLineMapperFactory.nextVisibleColumn(obtrusiveBreakVisibleColumn, tabSize, charCodeIsTab, charColumnSize); } if (charCodeClass === 2 /* BREAK_AFTER */ && (hardWrappingIndent === 0 /* None */ || i >= firstNonWhitespaceIndex)) { // This is a character that indicates that a break should happen after it niceBreakOffset = i + 1; niceBreakVisibleColumn = wrappedTextIndentVisibleColumn; } // CJK breaking : after break if (charCodeClass === 4 /* BREAK_IDEOGRAPHIC */ && i < len - 1) { var nextCode = lineText.charCodeAt(i + 1); var nextClass = classifier.get(nextCode); if (nextClass !== 2 /* BREAK_AFTER */) { // Kinsoku Shori: Don't break before a trailing character, like a period niceBreakOffset = i + 1; niceBreakVisibleColumn = wrappedTextIndentVisibleColumn; } } if (charCodeClass === 3 /* BREAK_OBTRUSIVE */) { // This is an obtrusive character that indicates that a break should happen after it obtrusiveBreakOffset = i + 1; obtrusiveBreakVisibleColumn = wrappedTextIndentVisibleColumn; } } if (breakingLengthsIndex === 0) { return null; } // Add last segment breakingLengths[breakingLengthsIndex++] = len - lastBreakingOffset; return new CharacterHardWrappingLineMapping(new __WEBPACK_IMPORTED_MODULE_3__prefixSumComputer_js__["a" /* PrefixSumComputer */](Object(__WEBPACK_IMPORTED_MODULE_2__core_uint_js__["c" /* toUint32Array */])(breakingLengths)), wrappedTextIndent); }; return CharacterHardWrappingLineMapperFactory; }()); var CharacterHardWrappingLineMapping = /** @class */ (function () { function CharacterHardWrappingLineMapping(prefixSums, wrappedLinesIndent) { this._prefixSums = prefixSums; this._wrappedLinesIndent = wrappedLinesIndent; } CharacterHardWrappingLineMapping.prototype.getOutputLineCount = function () { return this._prefixSums.getCount(); }; CharacterHardWrappingLineMapping.prototype.getWrappedLinesIndent = function () { return this._wrappedLinesIndent; }; CharacterHardWrappingLineMapping.prototype.getInputOffsetOfOutputPosition = function (outputLineIndex, outputOffset) { if (outputLineIndex === 0) { return outputOffset; } else { return this._prefixSums.getAccumulatedValue(outputLineIndex - 1) + outputOffset; } }; CharacterHardWrappingLineMapping.prototype.getOutputPositionOfInputOffset = function (inputOffset) { var r = this._prefixSums.getIndexOf(inputOffset); return new __WEBPACK_IMPORTED_MODULE_4__splitLinesCollection_js__["b" /* OutputPosition */](r.index, r.remainder); }; return CharacterHardWrappingLineMapping; }()); /***/ }), /***/ 2023: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ViewModelDecorations; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__viewModel_js__ = __webpack_require__(1328); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ViewModelDecorations = /** @class */ (function () { function ViewModelDecorations(editorId, model, configuration, linesCollection, coordinatesConverter) { this.editorId = editorId; this.model = model; this.configuration = configuration; this._linesCollection = linesCollection; this._coordinatesConverter = coordinatesConverter; this._decorationsCache = Object.create(null); this._clearCachedModelDecorationsResolver(); } ViewModelDecorations.prototype._clearCachedModelDecorationsResolver = function () { this._cachedModelDecorationsResolver = null; this._cachedModelDecorationsResolverViewRange = null; }; ViewModelDecorations.prototype.dispose = function () { this._decorationsCache = Object.create(null); this._clearCachedModelDecorationsResolver(); }; ViewModelDecorations.prototype.reset = function () { this._decorationsCache = Object.create(null); this._clearCachedModelDecorationsResolver(); }; ViewModelDecorations.prototype.onModelDecorationsChanged = function () { this._decorationsCache = Object.create(null); this._clearCachedModelDecorationsResolver(); }; ViewModelDecorations.prototype.onLineMappingChanged = function () { this._decorationsCache = Object.create(null); this._clearCachedModelDecorationsResolver(); }; ViewModelDecorations.prototype._getOrCreateViewModelDecoration = function (modelDecoration) { var id = modelDecoration.id; var r = this._decorationsCache[id]; if (!r) { var modelRange = modelDecoration.range; var options = modelDecoration.options; var viewRange = void 0; if (options.isWholeLine) { var start = this._coordinatesConverter.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](modelRange.startLineNumber, 1)); var end = this._coordinatesConverter.convertModelPositionToViewPosition(new __WEBPACK_IMPORTED_MODULE_0__core_position_js__["a" /* Position */](modelRange.endLineNumber, this.model.getLineMaxColumn(modelRange.endLineNumber))); viewRange = new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](start.lineNumber, start.column, end.lineNumber, end.column); } else { viewRange = this._coordinatesConverter.convertModelRangeToViewRange(modelRange); } r = new __WEBPACK_IMPORTED_MODULE_2__viewModel_js__["e" /* ViewModelDecoration */](viewRange, options); this._decorationsCache[id] = r; } return r; }; ViewModelDecorations.prototype.getDecorationsViewportData = function (viewRange) { var cacheIsValid = (this._cachedModelDecorationsResolver !== null); cacheIsValid = cacheIsValid && (viewRange.equalsRange(this._cachedModelDecorationsResolverViewRange)); if (!cacheIsValid) { this._cachedModelDecorationsResolver = this._getDecorationsViewportData(viewRange); this._cachedModelDecorationsResolverViewRange = viewRange; } return this._cachedModelDecorationsResolver; }; ViewModelDecorations.prototype._getDecorationsViewportData = function (viewportRange) { var modelDecorations = this._linesCollection.getDecorationsInRange(viewportRange, this.editorId, this.configuration.editor.readOnly); var startLineNumber = viewportRange.startLineNumber; var endLineNumber = viewportRange.endLineNumber; var decorationsInViewport = [], decorationsInViewportLen = 0; var inlineDecorations = []; for (var j = startLineNumber; j <= endLineNumber; j++) { inlineDecorations[j - startLineNumber] = []; } for (var i = 0, len = modelDecorations.length; i < len; i++) { var modelDecoration = modelDecorations[i]; var decorationOptions = modelDecoration.options; var viewModelDecoration = this._getOrCreateViewModelDecoration(modelDecoration); var viewRange = viewModelDecoration.range; decorationsInViewport[decorationsInViewportLen++] = viewModelDecoration; if (decorationOptions.inlineClassName) { var inlineDecoration = new __WEBPACK_IMPORTED_MODULE_2__viewModel_js__["a" /* InlineDecoration */](viewRange, decorationOptions.inlineClassName, decorationOptions.inlineClassNameAffectsLetterSpacing ? 3 /* RegularAffectingLetterSpacing */ : 0 /* Regular */); var intersectedStartLineNumber = Math.max(startLineNumber, viewRange.startLineNumber); var intersectedEndLineNumber = Math.min(endLineNumber, viewRange.endLineNumber); for (var j = intersectedStartLineNumber; j <= intersectedEndLineNumber; j++) { inlineDecorations[j - startLineNumber].push(inlineDecoration); } } if (decorationOptions.beforeContentClassName) { if (startLineNumber <= viewRange.startLineNumber && viewRange.startLineNumber <= endLineNumber) { var inlineDecoration = new __WEBPACK_IMPORTED_MODULE_2__viewModel_js__["a" /* InlineDecoration */](new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](viewRange.startLineNumber, viewRange.startColumn, viewRange.startLineNumber, viewRange.startColumn), decorationOptions.beforeContentClassName, 1 /* Before */); inlineDecorations[viewRange.startLineNumber - startLineNumber].push(inlineDecoration); } } if (decorationOptions.afterContentClassName) { if (startLineNumber <= viewRange.endLineNumber && viewRange.endLineNumber <= endLineNumber) { var inlineDecoration = new __WEBPACK_IMPORTED_MODULE_2__viewModel_js__["a" /* InlineDecoration */](new __WEBPACK_IMPORTED_MODULE_1__core_range_js__["a" /* Range */](viewRange.endLineNumber, viewRange.endColumn, viewRange.endLineNumber, viewRange.endColumn), decorationOptions.afterContentClassName, 2 /* After */); inlineDecorations[viewRange.endLineNumber - startLineNumber].push(inlineDecoration); } } } return { decorations: decorationsInViewport, inlineDecorations: inlineDecorations }; }; return ViewModelDecorations; }()); /***/ }), /***/ 2024: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DiffEditorWidget; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_diffEditor_css__ = __webpack_require__(2025); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_diffEditor_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__media_diffEditor_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_browser_ui_sash_sash_js__ = __webpack_require__(2027); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__base_common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__core_editorState_js__ = __webpack_require__(2030); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__codeEditorWidget_js__ = __webpack_require__(1696); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__diffReview_js__ = __webpack_require__(2031); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__common_core_stringBuilder_js__ = __webpack_require__(1569); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__common_editorCommon_js__ = __webpack_require__(1324); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__ = __webpack_require__(1451); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__common_services_editorWorkerService_js__ = __webpack_require__(1443); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__common_view_overviewZoneManager_js__ = __webpack_require__(1712); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__common_viewLayout_lineDecorations_js__ = __webpack_require__(1570); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__common_viewLayout_viewLineRenderer_js__ = __webpack_require__(1446); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_23__common_viewModel_viewModel_js__ = __webpack_require__(1328); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_25__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__platform_instantiation_common_serviceCollection_js__ = __webpack_require__(1453); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_27__platform_notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var VisualEditorState = /** @class */ (function () { function VisualEditorState() { this._zones = []; this._zonesMap = {}; this._decorations = []; } VisualEditorState.prototype.getForeignViewZones = function (allViewZones) { var _this = this; return allViewZones.filter(function (z) { return !_this._zonesMap[String(z.id)]; }); }; VisualEditorState.prototype.clean = function (editor) { var _this = this; // (1) View zones if (this._zones.length > 0) { editor.changeViewZones(function (viewChangeAccessor) { for (var i = 0, length_1 = _this._zones.length; i < length_1; i++) { viewChangeAccessor.removeZone(_this._zones[i]); } }); } this._zones = []; this._zonesMap = {}; // (2) Model decorations this._decorations = editor.deltaDecorations(this._decorations, []); }; VisualEditorState.prototype.apply = function (editor, overviewRuler, newDecorations, restoreScrollState) { var _this = this; var scrollState = restoreScrollState ? __WEBPACK_IMPORTED_MODULE_10__core_editorState_js__["a" /* StableEditorScrollState */].capture(editor) : null; // view zones editor.changeViewZones(function (viewChangeAccessor) { for (var i = 0, length_2 = _this._zones.length; i < length_2; i++) { viewChangeAccessor.removeZone(_this._zones[i]); } _this._zones = []; _this._zonesMap = {}; for (var i = 0, length_3 = newDecorations.zones.length; i < length_3; i++) { newDecorations.zones[i].suppressMouseDown = true; var zoneId = viewChangeAccessor.addZone(newDecorations.zones[i]); _this._zones.push(zoneId); _this._zonesMap[String(zoneId)] = true; } }); if (scrollState) { scrollState.restore(editor); } // decorations this._decorations = editor.deltaDecorations(this._decorations, newDecorations.decorations); // overview ruler if (overviewRuler) { overviewRuler.setZones(newDecorations.overviewZones); } }; return VisualEditorState; }()); var DIFF_EDITOR_ID = 0; var DiffEditorWidget = /** @class */ (function (_super) { __extends(DiffEditorWidget, _super); function DiffEditorWidget(domElement, options, editorWorkerService, contextKeyService, instantiationService, codeEditorService, themeService, notificationService) { var _this = _super.call(this) || this; _this._onDidDispose = _this._register(new __WEBPACK_IMPORTED_MODULE_6__base_common_event_js__["a" /* Emitter */]()); _this.onDidDispose = _this._onDidDispose.event; _this._onDidUpdateDiff = _this._register(new __WEBPACK_IMPORTED_MODULE_6__base_common_event_js__["a" /* Emitter */]()); _this.onDidUpdateDiff = _this._onDidUpdateDiff.event; _this._lastOriginalWarning = null; _this._lastModifiedWarning = null; _this._editorWorkerService = editorWorkerService; _this._codeEditorService = codeEditorService; _this._contextKeyService = _this._register(contextKeyService.createScoped(domElement)); _this._contextKeyService.createKey('isInDiffEditor', true); _this._themeService = themeService; _this._notificationService = notificationService; _this.id = (++DIFF_EDITOR_ID); _this._domElement = domElement; options = options || {}; // renderSideBySide _this._renderSideBySide = true; if (typeof options.renderSideBySide !== 'undefined') { _this._renderSideBySide = options.renderSideBySide; } // ignoreTrimWhitespace _this._ignoreTrimWhitespace = true; if (typeof options.ignoreTrimWhitespace !== 'undefined') { _this._ignoreTrimWhitespace = options.ignoreTrimWhitespace; } // renderIndicators _this._renderIndicators = true; if (typeof options.renderIndicators !== 'undefined') { _this._renderIndicators = options.renderIndicators; } _this._originalIsEditable = false; if (typeof options.originalEditable !== 'undefined') { _this._originalIsEditable = Boolean(options.originalEditable); } _this._updateDecorationsRunner = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_common_async_js__["c" /* RunOnceScheduler */](function () { return _this._updateDecorations(); }, 0)); _this._containerDomElement = document.createElement('div'); _this._containerDomElement.className = DiffEditorWidget._getClassName(_this._themeService.getTheme(), _this._renderSideBySide); _this._containerDomElement.style.position = 'relative'; _this._containerDomElement.style.height = '100%'; _this._domElement.appendChild(_this._containerDomElement); _this._overviewViewportDomElement = Object(__WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._overviewViewportDomElement.setClassName('diffViewport'); _this._overviewViewportDomElement.setPosition('absolute'); _this._overviewDomElement = document.createElement('div'); _this._overviewDomElement.className = 'diffOverview'; _this._overviewDomElement.style.position = 'absolute'; _this._overviewDomElement.appendChild(_this._overviewViewportDomElement.domNode); _this._register(__WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["j" /* addStandardDisposableListener */](_this._overviewDomElement, 'mousedown', function (e) { _this.modifiedEditor.delegateVerticalScrollbarMouseDown(e); })); _this._containerDomElement.appendChild(_this._overviewDomElement); _this._createLeftHandSide(); _this._createRightHandSide(); _this._beginUpdateDecorationsTimeout = -1; _this._currentlyChangingViewZones = false; _this._diffComputationToken = 0; _this._originalEditorState = new VisualEditorState(); _this._modifiedEditorState = new VisualEditorState(); _this._isVisible = true; _this._isHandlingScrollEvent = false; _this._width = 0; _this._height = 0; _this._reviewHeight = 0; _this._diffComputationResult = null; var leftContextKeyService = _this._contextKeyService.createScoped(); leftContextKeyService.createKey('isInDiffLeftEditor', true); var leftServices = new __WEBPACK_IMPORTED_MODULE_26__platform_instantiation_common_serviceCollection_js__["a" /* ServiceCollection */](); leftServices.set(__WEBPACK_IMPORTED_MODULE_24__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */], leftContextKeyService); var leftScopedInstantiationService = instantiationService.createChild(leftServices); var rightContextKeyService = _this._contextKeyService.createScoped(); rightContextKeyService.createKey('isInDiffRightEditor', true); var rightServices = new __WEBPACK_IMPORTED_MODULE_26__platform_instantiation_common_serviceCollection_js__["a" /* ServiceCollection */](); rightServices.set(__WEBPACK_IMPORTED_MODULE_24__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */], rightContextKeyService); var rightScopedInstantiationService = instantiationService.createChild(rightServices); _this._createLeftHandSideEditor(options, leftScopedInstantiationService); _this._createRightHandSideEditor(options, rightScopedInstantiationService); _this._reviewPane = new __WEBPACK_IMPORTED_MODULE_13__diffReview_js__["a" /* DiffReview */](_this); _this._containerDomElement.appendChild(_this._reviewPane.domNode.domNode); _this._containerDomElement.appendChild(_this._reviewPane.shadow.domNode); _this._containerDomElement.appendChild(_this._reviewPane.actionBarContainer.domNode); if (options.automaticLayout) { _this._measureDomElementToken = window.setInterval(function () { return _this._measureDomElement(false); }, 100); } // enableSplitViewResizing _this._enableSplitViewResizing = true; if (typeof options.enableSplitViewResizing !== 'undefined') { _this._enableSplitViewResizing = options.enableSplitViewResizing; } if (_this._renderSideBySide) { _this._setStrategy(new DiffEdtorWidgetSideBySide(_this._createDataSource(), _this._enableSplitViewResizing)); } else { _this._setStrategy(new DiffEdtorWidgetInline(_this._createDataSource(), _this._enableSplitViewResizing)); } _this._register(themeService.onThemeChange(function (t) { if (_this._strategy && _this._strategy.applyColors(t)) { _this._updateDecorationsRunner.schedule(); } _this._containerDomElement.className = DiffEditorWidget._getClassName(_this._themeService.getTheme(), _this._renderSideBySide); })); _this._codeEditorService.addDiffEditor(_this); return _this; } DiffEditorWidget.prototype.hasWidgetFocus = function () { return __WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["z" /* isAncestor */](document.activeElement, this._domElement); }; DiffEditorWidget.prototype.diffReviewNext = function () { this._reviewPane.next(); }; DiffEditorWidget.prototype.diffReviewPrev = function () { this._reviewPane.prev(); }; DiffEditorWidget._getClassName = function (theme, renderSideBySide) { var result = 'monaco-diff-editor monaco-editor-background '; if (renderSideBySide) { result += 'side-by-side '; } result += Object(__WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__["d" /* getThemeTypeSelector */])(theme.type); return result; }; DiffEditorWidget.prototype._recreateOverviewRulers = function () { if (this._originalOverviewRuler) { this._overviewDomElement.removeChild(this._originalOverviewRuler.getDomNode()); this._originalOverviewRuler.dispose(); } if (this.originalEditor.hasModel()) { this._originalOverviewRuler = this.originalEditor.createOverviewRuler('original diffOverviewRuler'); this._overviewDomElement.appendChild(this._originalOverviewRuler.getDomNode()); } if (this._modifiedOverviewRuler) { this._overviewDomElement.removeChild(this._modifiedOverviewRuler.getDomNode()); this._modifiedOverviewRuler.dispose(); } if (this.modifiedEditor.hasModel()) { this._modifiedOverviewRuler = this.modifiedEditor.createOverviewRuler('modified diffOverviewRuler'); this._overviewDomElement.appendChild(this._modifiedOverviewRuler.getDomNode()); } this._layoutOverviewRulers(); }; DiffEditorWidget.prototype._createLeftHandSide = function () { this._originalDomNode = document.createElement('div'); this._originalDomNode.className = 'editor original'; this._originalDomNode.style.position = 'absolute'; this._originalDomNode.style.height = '100%'; this._containerDomElement.appendChild(this._originalDomNode); }; DiffEditorWidget.prototype._createRightHandSide = function () { this._modifiedDomNode = document.createElement('div'); this._modifiedDomNode.className = 'editor modified'; this._modifiedDomNode.style.position = 'absolute'; this._modifiedDomNode.style.height = '100%'; this._containerDomElement.appendChild(this._modifiedDomNode); }; DiffEditorWidget.prototype._createLeftHandSideEditor = function (options, instantiationService) { var _this = this; this.originalEditor = this._createInnerEditor(instantiationService, this._originalDomNode, this._adjustOptionsForLeftHandSide(options, this._originalIsEditable)); this._register(this.originalEditor.onDidScrollChange(function (e) { if (_this._isHandlingScrollEvent) { return; } if (!e.scrollTopChanged && !e.scrollLeftChanged && !e.scrollHeightChanged) { return; } _this._isHandlingScrollEvent = true; _this.modifiedEditor.setScrollPosition({ scrollLeft: e.scrollLeft, scrollTop: e.scrollTop }); _this._isHandlingScrollEvent = false; _this._layoutOverviewViewport(); })); this._register(this.originalEditor.onDidChangeViewZones(function () { _this._onViewZonesChanged(); })); this._register(this.originalEditor.onDidChangeModelContent(function () { if (_this._isVisible) { _this._beginUpdateDecorationsSoon(); } })); }; DiffEditorWidget.prototype._createRightHandSideEditor = function (options, instantiationService) { var _this = this; this.modifiedEditor = this._createInnerEditor(instantiationService, this._modifiedDomNode, this._adjustOptionsForRightHandSide(options)); this._register(this.modifiedEditor.onDidScrollChange(function (e) { if (_this._isHandlingScrollEvent) { return; } if (!e.scrollTopChanged && !e.scrollLeftChanged && !e.scrollHeightChanged) { return; } _this._isHandlingScrollEvent = true; _this.originalEditor.setScrollPosition({ scrollLeft: e.scrollLeft, scrollTop: e.scrollTop }); _this._isHandlingScrollEvent = false; _this._layoutOverviewViewport(); })); this._register(this.modifiedEditor.onDidChangeViewZones(function () { _this._onViewZonesChanged(); })); this._register(this.modifiedEditor.onDidChangeConfiguration(function (e) { if (e.fontInfo && _this.modifiedEditor.getModel()) { _this._onViewZonesChanged(); } })); this._register(this.modifiedEditor.onDidChangeModelContent(function () { if (_this._isVisible) { _this._beginUpdateDecorationsSoon(); } })); }; DiffEditorWidget.prototype._createInnerEditor = function (instantiationService, container, options) { return instantiationService.createInstance(__WEBPACK_IMPORTED_MODULE_12__codeEditorWidget_js__["a" /* CodeEditorWidget */], container, options, {}); }; DiffEditorWidget.prototype.dispose = function () { this._codeEditorService.removeDiffEditor(this); if (this._beginUpdateDecorationsTimeout !== -1) { window.clearTimeout(this._beginUpdateDecorationsTimeout); this._beginUpdateDecorationsTimeout = -1; } window.clearInterval(this._measureDomElementToken); this._cleanViewZonesAndDecorations(); if (this._originalOverviewRuler) { this._overviewDomElement.removeChild(this._originalOverviewRuler.getDomNode()); this._originalOverviewRuler.dispose(); } if (this._modifiedOverviewRuler) { this._overviewDomElement.removeChild(this._modifiedOverviewRuler.getDomNode()); this._modifiedOverviewRuler.dispose(); } this._overviewDomElement.removeChild(this._overviewViewportDomElement.domNode); this._containerDomElement.removeChild(this._overviewDomElement); this._containerDomElement.removeChild(this._originalDomNode); this.originalEditor.dispose(); this._containerDomElement.removeChild(this._modifiedDomNode); this.modifiedEditor.dispose(); this._strategy.dispose(); this._containerDomElement.removeChild(this._reviewPane.domNode.domNode); this._containerDomElement.removeChild(this._reviewPane.shadow.domNode); this._containerDomElement.removeChild(this._reviewPane.actionBarContainer.domNode); this._reviewPane.dispose(); this._domElement.removeChild(this._containerDomElement); this._onDidDispose.fire(); _super.prototype.dispose.call(this); }; //------------ begin IDiffEditor methods DiffEditorWidget.prototype.getId = function () { return this.getEditorType() + ':' + this.id; }; DiffEditorWidget.prototype.getEditorType = function () { return __WEBPACK_IMPORTED_MODULE_17__common_editorCommon_js__["a" /* EditorType */].IDiffEditor; }; DiffEditorWidget.prototype.getLineChanges = function () { if (!this._diffComputationResult) { return null; } return this._diffComputationResult.changes; }; DiffEditorWidget.prototype.getOriginalEditor = function () { return this.originalEditor; }; DiffEditorWidget.prototype.getModifiedEditor = function () { return this.modifiedEditor; }; DiffEditorWidget.prototype.updateOptions = function (newOptions) { // Handle side by side var renderSideBySideChanged = false; if (typeof newOptions.renderSideBySide !== 'undefined') { if (this._renderSideBySide !== newOptions.renderSideBySide) { this._renderSideBySide = newOptions.renderSideBySide; renderSideBySideChanged = true; } } var beginUpdateDecorations = false; if (typeof newOptions.ignoreTrimWhitespace !== 'undefined') { if (this._ignoreTrimWhitespace !== newOptions.ignoreTrimWhitespace) { this._ignoreTrimWhitespace = newOptions.ignoreTrimWhitespace; // Begin comparing beginUpdateDecorations = true; } } if (typeof newOptions.renderIndicators !== 'undefined') { if (this._renderIndicators !== newOptions.renderIndicators) { this._renderIndicators = newOptions.renderIndicators; beginUpdateDecorations = true; } } if (beginUpdateDecorations) { this._beginUpdateDecorations(); } if (typeof newOptions.originalEditable !== 'undefined') { this._originalIsEditable = Boolean(newOptions.originalEditable); } this.modifiedEditor.updateOptions(this._adjustOptionsForRightHandSide(newOptions)); this.originalEditor.updateOptions(this._adjustOptionsForLeftHandSide(newOptions, this._originalIsEditable)); // enableSplitViewResizing if (typeof newOptions.enableSplitViewResizing !== 'undefined') { this._enableSplitViewResizing = newOptions.enableSplitViewResizing; } this._strategy.setEnableSplitViewResizing(this._enableSplitViewResizing); // renderSideBySide if (renderSideBySideChanged) { if (this._renderSideBySide) { this._setStrategy(new DiffEdtorWidgetSideBySide(this._createDataSource(), this._enableSplitViewResizing)); } else { this._setStrategy(new DiffEdtorWidgetInline(this._createDataSource(), this._enableSplitViewResizing)); } // Update class name this._containerDomElement.className = DiffEditorWidget._getClassName(this._themeService.getTheme(), this._renderSideBySide); } }; DiffEditorWidget.prototype.getModel = function () { return { original: this.originalEditor.getModel(), modified: this.modifiedEditor.getModel() }; }; DiffEditorWidget.prototype.setModel = function (model) { // Guard us against partial null model if (model && (!model.original || !model.modified)) { throw new Error(!model.original ? 'DiffEditorWidget.setModel: Original model is null' : 'DiffEditorWidget.setModel: Modified model is null'); } // Remove all view zones & decorations this._cleanViewZonesAndDecorations(); // Update code editor models this.originalEditor.setModel(model ? model.original : null); this.modifiedEditor.setModel(model ? model.modified : null); this._updateDecorationsRunner.cancel(); if (model) { this.originalEditor.setScrollTop(0); this.modifiedEditor.setScrollTop(0); } // Disable any diff computations that will come in this._diffComputationResult = null; this._diffComputationToken++; if (model) { this._recreateOverviewRulers(); // Begin comparing this._beginUpdateDecorations(); } else { this._diffComputationResult = null; } this._layoutOverviewViewport(); }; DiffEditorWidget.prototype.getDomNode = function () { return this._domElement; }; DiffEditorWidget.prototype.getVisibleColumnFromPosition = function (position) { return this.modifiedEditor.getVisibleColumnFromPosition(position); }; DiffEditorWidget.prototype.getPosition = function () { return this.modifiedEditor.getPosition(); }; DiffEditorWidget.prototype.setPosition = function (position) { this.modifiedEditor.setPosition(position); }; DiffEditorWidget.prototype.revealLine = function (lineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealLine(lineNumber, scrollType); }; DiffEditorWidget.prototype.revealLineInCenter = function (lineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealLineInCenter(lineNumber, scrollType); }; DiffEditorWidget.prototype.revealLineInCenterIfOutsideViewport = function (lineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealLineInCenterIfOutsideViewport(lineNumber, scrollType); }; DiffEditorWidget.prototype.revealPosition = function (position, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealPosition(position, scrollType); }; DiffEditorWidget.prototype.revealPositionInCenter = function (position, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealPositionInCenter(position, scrollType); }; DiffEditorWidget.prototype.revealPositionInCenterIfOutsideViewport = function (position, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealPositionInCenterIfOutsideViewport(position, scrollType); }; DiffEditorWidget.prototype.getSelection = function () { return this.modifiedEditor.getSelection(); }; DiffEditorWidget.prototype.getSelections = function () { return this.modifiedEditor.getSelections(); }; DiffEditorWidget.prototype.setSelection = function (something) { this.modifiedEditor.setSelection(something); }; DiffEditorWidget.prototype.setSelections = function (ranges) { this.modifiedEditor.setSelections(ranges); }; DiffEditorWidget.prototype.revealLines = function (startLineNumber, endLineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealLines(startLineNumber, endLineNumber, scrollType); }; DiffEditorWidget.prototype.revealLinesInCenter = function (startLineNumber, endLineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealLinesInCenter(startLineNumber, endLineNumber, scrollType); }; DiffEditorWidget.prototype.revealLinesInCenterIfOutsideViewport = function (startLineNumber, endLineNumber, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealLinesInCenterIfOutsideViewport(startLineNumber, endLineNumber, scrollType); }; DiffEditorWidget.prototype.revealRange = function (range, scrollType, revealVerticalInCenter, revealHorizontal) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } if (revealVerticalInCenter === void 0) { revealVerticalInCenter = false; } if (revealHorizontal === void 0) { revealHorizontal = true; } this.modifiedEditor.revealRange(range, scrollType, revealVerticalInCenter, revealHorizontal); }; DiffEditorWidget.prototype.revealRangeInCenter = function (range, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealRangeInCenter(range, scrollType); }; DiffEditorWidget.prototype.revealRangeInCenterIfOutsideViewport = function (range, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealRangeInCenterIfOutsideViewport(range, scrollType); }; DiffEditorWidget.prototype.revealRangeAtTop = function (range, scrollType) { if (scrollType === void 0) { scrollType = 0 /* Smooth */; } this.modifiedEditor.revealRangeAtTop(range, scrollType); }; DiffEditorWidget.prototype.getSupportedActions = function () { return this.modifiedEditor.getSupportedActions(); }; DiffEditorWidget.prototype.saveViewState = function () { var originalViewState = this.originalEditor.saveViewState(); var modifiedViewState = this.modifiedEditor.saveViewState(); return { original: originalViewState, modified: modifiedViewState }; }; DiffEditorWidget.prototype.restoreViewState = function (s) { if (s.original && s.modified) { var diffEditorState = s; this.originalEditor.restoreViewState(diffEditorState.original); this.modifiedEditor.restoreViewState(diffEditorState.modified); } }; DiffEditorWidget.prototype.layout = function (dimension) { this._measureDomElement(false, dimension); }; DiffEditorWidget.prototype.focus = function () { this.modifiedEditor.focus(); }; DiffEditorWidget.prototype.hasTextFocus = function () { return this.originalEditor.hasTextFocus() || this.modifiedEditor.hasTextFocus(); }; DiffEditorWidget.prototype.trigger = function (source, handlerId, payload) { this.modifiedEditor.trigger(source, handlerId, payload); }; DiffEditorWidget.prototype.changeDecorations = function (callback) { return this.modifiedEditor.changeDecorations(callback); }; //------------ end IDiffEditor methods //------------ begin layouting methods DiffEditorWidget.prototype._measureDomElement = function (forceDoLayoutCall, dimensions) { dimensions = dimensions || { width: this._containerDomElement.clientWidth, height: this._containerDomElement.clientHeight }; if (dimensions.width <= 0) { this._width = 0; this._height = 0; this._reviewHeight = 0; return; } if (!forceDoLayoutCall && dimensions.width === this._width && dimensions.height === this._height) { // Nothing has changed return; } this._width = dimensions.width; this._height = dimensions.height; this._reviewHeight = this._reviewPane.isVisible() ? this._height : 0; this._doLayout(); }; DiffEditorWidget.prototype._layoutOverviewRulers = function () { var freeSpace = DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH - 2 * DiffEditorWidget.ONE_OVERVIEW_WIDTH; var layoutInfo = this.modifiedEditor.getLayoutInfo(); if (layoutInfo) { this._originalOverviewRuler.setLayout({ top: 0, width: DiffEditorWidget.ONE_OVERVIEW_WIDTH, right: freeSpace + DiffEditorWidget.ONE_OVERVIEW_WIDTH, height: (this._height - this._reviewHeight) }); this._modifiedOverviewRuler.setLayout({ top: 0, right: 0, width: DiffEditorWidget.ONE_OVERVIEW_WIDTH, height: (this._height - this._reviewHeight) }); } }; //------------ end layouting methods DiffEditorWidget.prototype._onViewZonesChanged = function () { if (this._currentlyChangingViewZones) { return; } this._updateDecorationsRunner.schedule(); }; DiffEditorWidget.prototype._beginUpdateDecorationsSoon = function () { var _this = this; // Clear previous timeout if necessary if (this._beginUpdateDecorationsTimeout !== -1) { window.clearTimeout(this._beginUpdateDecorationsTimeout); this._beginUpdateDecorationsTimeout = -1; } this._beginUpdateDecorationsTimeout = window.setTimeout(function () { return _this._beginUpdateDecorations(); }, DiffEditorWidget.UPDATE_DIFF_DECORATIONS_DELAY); }; DiffEditorWidget._equals = function (a, b) { if (!a && !b) { return true; } if (!a || !b) { return false; } return (a.toString() === b.toString()); }; DiffEditorWidget.prototype._beginUpdateDecorations = function () { var _this = this; this._beginUpdateDecorationsTimeout = -1; var currentOriginalModel = this.originalEditor.getModel(); var currentModifiedModel = this.modifiedEditor.getModel(); if (!currentOriginalModel || !currentModifiedModel) { return; } // Prevent old diff requests to come if a new request has been initiated // The best method would be to call cancel on the Promise, but this is not // yet supported, so using tokens for now. this._diffComputationToken++; var currentToken = this._diffComputationToken; if (!this._editorWorkerService.canComputeDiff(currentOriginalModel.uri, currentModifiedModel.uri)) { if (!DiffEditorWidget._equals(currentOriginalModel.uri, this._lastOriginalWarning) || !DiffEditorWidget._equals(currentModifiedModel.uri, this._lastModifiedWarning)) { this._lastOriginalWarning = currentOriginalModel.uri; this._lastModifiedWarning = currentModifiedModel.uri; this._notificationService.warn(__WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]("diff.tooLarge", "Cannot compare files because one file is too large.")); } return; } this._editorWorkerService.computeDiff(currentOriginalModel.uri, currentModifiedModel.uri, this._ignoreTrimWhitespace).then(function (result) { if (currentToken === _this._diffComputationToken && currentOriginalModel === _this.originalEditor.getModel() && currentModifiedModel === _this.modifiedEditor.getModel()) { _this._diffComputationResult = result; _this._updateDecorationsRunner.schedule(); _this._onDidUpdateDiff.fire(); } }, function (error) { if (currentToken === _this._diffComputationToken && currentOriginalModel === _this.originalEditor.getModel() && currentModifiedModel === _this.modifiedEditor.getModel()) { _this._diffComputationResult = null; _this._updateDecorationsRunner.schedule(); } }); }; DiffEditorWidget.prototype._cleanViewZonesAndDecorations = function () { this._originalEditorState.clean(this.originalEditor); this._modifiedEditorState.clean(this.modifiedEditor); }; DiffEditorWidget.prototype._updateDecorations = function () { if (!this.originalEditor.getModel() || !this.modifiedEditor.getModel()) { return; } var lineChanges = (this._diffComputationResult ? this._diffComputationResult.changes : []); var foreignOriginal = this._originalEditorState.getForeignViewZones(this.originalEditor.getWhitespaces()); var foreignModified = this._modifiedEditorState.getForeignViewZones(this.modifiedEditor.getWhitespaces()); var diffDecorations = this._strategy.getEditorsDiffDecorations(lineChanges, this._ignoreTrimWhitespace, this._renderIndicators, foreignOriginal, foreignModified, this.originalEditor, this.modifiedEditor); try { this._currentlyChangingViewZones = true; this._originalEditorState.apply(this.originalEditor, this._originalOverviewRuler, diffDecorations.original, false); this._modifiedEditorState.apply(this.modifiedEditor, this._modifiedOverviewRuler, diffDecorations.modified, true); } finally { this._currentlyChangingViewZones = false; } }; DiffEditorWidget.prototype._adjustOptionsForSubEditor = function (options) { var clonedOptions = __WEBPACK_IMPORTED_MODULE_8__base_common_objects_js__["b" /* deepClone */](options || {}); clonedOptions.inDiffEditor = true; clonedOptions.wordWrap = 'off'; clonedOptions.wordWrapMinified = false; clonedOptions.automaticLayout = false; clonedOptions.scrollbar = clonedOptions.scrollbar || {}; clonedOptions.scrollbar.vertical = 'visible'; clonedOptions.folding = false; clonedOptions.codeLens = false; clonedOptions.fixedOverflowWidgets = true; // clonedOptions.lineDecorationsWidth = '2ch'; if (!clonedOptions.minimap) { clonedOptions.minimap = {}; } clonedOptions.minimap.enabled = false; return clonedOptions; }; DiffEditorWidget.prototype._adjustOptionsForLeftHandSide = function (options, isEditable) { var result = this._adjustOptionsForSubEditor(options); result.readOnly = !isEditable; result.overviewRulerLanes = 1; result.extraEditorClassName = 'original-in-monaco-diff-editor'; return result; }; DiffEditorWidget.prototype._adjustOptionsForRightHandSide = function (options) { var result = this._adjustOptionsForSubEditor(options); result.revealHorizontalRightPadding = __WEBPACK_IMPORTED_MODULE_14__common_config_editorOptions_js__["a" /* EDITOR_DEFAULTS */].viewInfo.revealHorizontalRightPadding + DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH; result.scrollbar.verticalHasArrows = false; result.extraEditorClassName = 'modified-in-monaco-diff-editor'; return result; }; DiffEditorWidget.prototype.doLayout = function () { this._measureDomElement(true); }; DiffEditorWidget.prototype._doLayout = function () { var splitPoint = this._strategy.layout(); this._originalDomNode.style.width = splitPoint + 'px'; this._originalDomNode.style.left = '0px'; this._modifiedDomNode.style.width = (this._width - splitPoint) + 'px'; this._modifiedDomNode.style.left = splitPoint + 'px'; this._overviewDomElement.style.top = '0px'; this._overviewDomElement.style.height = (this._height - this._reviewHeight) + 'px'; this._overviewDomElement.style.width = DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH + 'px'; this._overviewDomElement.style.left = (this._width - DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH) + 'px'; this._overviewViewportDomElement.setWidth(DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH); this._overviewViewportDomElement.setHeight(30); this.originalEditor.layout({ width: splitPoint, height: (this._height - this._reviewHeight) }); this.modifiedEditor.layout({ width: this._width - splitPoint - DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH, height: (this._height - this._reviewHeight) }); if (this._originalOverviewRuler || this._modifiedOverviewRuler) { this._layoutOverviewRulers(); } this._reviewPane.layout(this._height - this._reviewHeight, this._width, this._reviewHeight); this._layoutOverviewViewport(); }; DiffEditorWidget.prototype._layoutOverviewViewport = function () { var layout = this._computeOverviewViewport(); if (!layout) { this._overviewViewportDomElement.setTop(0); this._overviewViewportDomElement.setHeight(0); } else { this._overviewViewportDomElement.setTop(layout.top); this._overviewViewportDomElement.setHeight(layout.height); } }; DiffEditorWidget.prototype._computeOverviewViewport = function () { var layoutInfo = this.modifiedEditor.getLayoutInfo(); if (!layoutInfo) { return null; } var scrollTop = this.modifiedEditor.getScrollTop(); var scrollHeight = this.modifiedEditor.getScrollHeight(); var computedAvailableSize = Math.max(0, layoutInfo.contentHeight); var computedRepresentableSize = Math.max(0, computedAvailableSize - 2 * 0); var computedRatio = scrollHeight > 0 ? (computedRepresentableSize / scrollHeight) : 0; var computedSliderSize = Math.max(0, Math.floor(layoutInfo.contentHeight * computedRatio)); var computedSliderPosition = Math.floor(scrollTop * computedRatio); return { height: computedSliderSize, top: computedSliderPosition }; }; DiffEditorWidget.prototype._createDataSource = function () { var _this = this; return { getWidth: function () { return _this._width; }, getHeight: function () { return (_this._height - _this._reviewHeight); }, getContainerDomNode: function () { return _this._containerDomElement; }, relayoutEditors: function () { _this._doLayout(); }, getOriginalEditor: function () { return _this.originalEditor; }, getModifiedEditor: function () { return _this.modifiedEditor; } }; }; DiffEditorWidget.prototype._setStrategy = function (newStrategy) { if (this._strategy) { this._strategy.dispose(); } this._strategy = newStrategy; newStrategy.applyColors(this._themeService.getTheme()); if (this._diffComputationResult) { this._updateDecorations(); } // Just do a layout, the strategy might need it this._measureDomElement(true); }; DiffEditorWidget.prototype._getLineChangeAtOrBeforeLineNumber = function (lineNumber, startLineNumberExtractor) { var lineChanges = (this._diffComputationResult ? this._diffComputationResult.changes : []); if (lineChanges.length === 0 || lineNumber < startLineNumberExtractor(lineChanges[0])) { // There are no changes or `lineNumber` is before the first change return null; } var min = 0, max = lineChanges.length - 1; while (min < max) { var mid = Math.floor((min + max) / 2); var midStart = startLineNumberExtractor(lineChanges[mid]); var midEnd = (mid + 1 <= max ? startLineNumberExtractor(lineChanges[mid + 1]) : Number.MAX_VALUE); if (lineNumber < midStart) { max = mid - 1; } else if (lineNumber >= midEnd) { min = mid + 1; } else { // HIT! min = mid; max = mid; } } return lineChanges[min]; }; DiffEditorWidget.prototype._getEquivalentLineForOriginalLineNumber = function (lineNumber) { var lineChange = this._getLineChangeAtOrBeforeLineNumber(lineNumber, function (lineChange) { return lineChange.originalStartLineNumber; }); if (!lineChange) { return lineNumber; } var originalEquivalentLineNumber = lineChange.originalStartLineNumber + (lineChange.originalEndLineNumber > 0 ? -1 : 0); var modifiedEquivalentLineNumber = lineChange.modifiedStartLineNumber + (lineChange.modifiedEndLineNumber > 0 ? -1 : 0); var lineChangeOriginalLength = (lineChange.originalEndLineNumber > 0 ? (lineChange.originalEndLineNumber - lineChange.originalStartLineNumber + 1) : 0); var lineChangeModifiedLength = (lineChange.modifiedEndLineNumber > 0 ? (lineChange.modifiedEndLineNumber - lineChange.modifiedStartLineNumber + 1) : 0); var delta = lineNumber - originalEquivalentLineNumber; if (delta <= lineChangeOriginalLength) { return modifiedEquivalentLineNumber + Math.min(delta, lineChangeModifiedLength); } return modifiedEquivalentLineNumber + lineChangeModifiedLength - lineChangeOriginalLength + delta; }; DiffEditorWidget.prototype._getEquivalentLineForModifiedLineNumber = function (lineNumber) { var lineChange = this._getLineChangeAtOrBeforeLineNumber(lineNumber, function (lineChange) { return lineChange.modifiedStartLineNumber; }); if (!lineChange) { return lineNumber; } var originalEquivalentLineNumber = lineChange.originalStartLineNumber + (lineChange.originalEndLineNumber > 0 ? -1 : 0); var modifiedEquivalentLineNumber = lineChange.modifiedStartLineNumber + (lineChange.modifiedEndLineNumber > 0 ? -1 : 0); var lineChangeOriginalLength = (lineChange.originalEndLineNumber > 0 ? (lineChange.originalEndLineNumber - lineChange.originalStartLineNumber + 1) : 0); var lineChangeModifiedLength = (lineChange.modifiedEndLineNumber > 0 ? (lineChange.modifiedEndLineNumber - lineChange.modifiedStartLineNumber + 1) : 0); var delta = lineNumber - modifiedEquivalentLineNumber; if (delta <= lineChangeModifiedLength) { return originalEquivalentLineNumber + Math.min(delta, lineChangeOriginalLength); } return originalEquivalentLineNumber + lineChangeOriginalLength - lineChangeModifiedLength + delta; }; DiffEditorWidget.prototype.getDiffLineInformationForOriginal = function (lineNumber) { if (!this._diffComputationResult) { // Cannot answer that which I don't know return null; } return { equivalentLineNumber: this._getEquivalentLineForOriginalLineNumber(lineNumber) }; }; DiffEditorWidget.prototype.getDiffLineInformationForModified = function (lineNumber) { if (!this._diffComputationResult) { // Cannot answer that which I don't know return null; } return { equivalentLineNumber: this._getEquivalentLineForModifiedLineNumber(lineNumber) }; }; DiffEditorWidget.ONE_OVERVIEW_WIDTH = 15; DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH = 30; DiffEditorWidget.UPDATE_DIFF_DECORATIONS_DELAY = 200; // ms DiffEditorWidget = __decorate([ __param(2, __WEBPACK_IMPORTED_MODULE_19__common_services_editorWorkerService_js__["a" /* IEditorWorkerService */]), __param(3, __WEBPACK_IMPORTED_MODULE_24__platform_contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(4, __WEBPACK_IMPORTED_MODULE_25__platform_instantiation_common_instantiation_js__["a" /* IInstantiationService */]), __param(5, __WEBPACK_IMPORTED_MODULE_11__services_codeEditorService_js__["a" /* ICodeEditorService */]), __param(6, __WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__["c" /* IThemeService */]), __param(7, __WEBPACK_IMPORTED_MODULE_27__platform_notification_common_notification_js__["a" /* INotificationService */]) ], DiffEditorWidget); return DiffEditorWidget; }(__WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__["a" /* Disposable */])); var DiffEditorWidgetStyle = /** @class */ (function (_super) { __extends(DiffEditorWidgetStyle, _super); function DiffEditorWidgetStyle(dataSource) { var _this = _super.call(this) || this; _this._dataSource = dataSource; return _this; } DiffEditorWidgetStyle.prototype.applyColors = function (theme) { var newInsertColor = (theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["j" /* diffInserted */]) || __WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["g" /* defaultInsertColor */]).transparent(2); var newRemoveColor = (theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["l" /* diffRemoved */]) || __WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["h" /* defaultRemoveColor */]).transparent(2); var hasChanges = !newInsertColor.equals(this._insertColor) || !newRemoveColor.equals(this._removeColor); this._insertColor = newInsertColor; this._removeColor = newRemoveColor; return hasChanges; }; DiffEditorWidgetStyle.prototype.getEditorsDiffDecorations = function (lineChanges, ignoreTrimWhitespace, renderIndicators, originalWhitespaces, modifiedWhitespaces, originalEditor, modifiedEditor) { // Get view zones modifiedWhitespaces = modifiedWhitespaces.sort(function (a, b) { return a.afterLineNumber - b.afterLineNumber; }); originalWhitespaces = originalWhitespaces.sort(function (a, b) { return a.afterLineNumber - b.afterLineNumber; }); var zones = this._getViewZones(lineChanges, originalWhitespaces, modifiedWhitespaces, originalEditor, modifiedEditor, renderIndicators); // Get decorations & overview ruler zones var originalDecorations = this._getOriginalEditorDecorations(lineChanges, ignoreTrimWhitespace, renderIndicators, originalEditor, modifiedEditor); var modifiedDecorations = this._getModifiedEditorDecorations(lineChanges, ignoreTrimWhitespace, renderIndicators, originalEditor, modifiedEditor); return { original: { decorations: originalDecorations.decorations, overviewZones: originalDecorations.overviewZones, zones: zones.original }, modified: { decorations: modifiedDecorations.decorations, overviewZones: modifiedDecorations.overviewZones, zones: zones.modified } }; }; return DiffEditorWidgetStyle; }(__WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__["a" /* Disposable */])); var ForeignViewZonesIterator = /** @class */ (function () { function ForeignViewZonesIterator(source) { this._source = source; this._index = -1; this.advance(); } ForeignViewZonesIterator.prototype.advance = function () { this._index++; if (this._index < this._source.length) { this.current = this._source[this._index]; } else { this.current = null; } }; return ForeignViewZonesIterator; }()); var ViewZonesComputer = /** @class */ (function () { function ViewZonesComputer(lineChanges, originalForeignVZ, modifiedForeignVZ) { this.lineChanges = lineChanges; this.originalForeignVZ = originalForeignVZ; this.modifiedForeignVZ = modifiedForeignVZ; } ViewZonesComputer.prototype.getViewZones = function () { var result = { original: [], modified: [] }; var lineChangeModifiedLength = 0; var lineChangeOriginalLength = 0; var originalEquivalentLineNumber = 0; var modifiedEquivalentLineNumber = 0; var originalEndEquivalentLineNumber = 0; var modifiedEndEquivalentLineNumber = 0; var sortMyViewZones = function (a, b) { return a.afterLineNumber - b.afterLineNumber; }; var addAndCombineIfPossible = function (destination, item) { if (item.domNode === null && destination.length > 0) { var lastItem = destination[destination.length - 1]; if (lastItem.afterLineNumber === item.afterLineNumber && lastItem.domNode === null) { lastItem.heightInLines += item.heightInLines; return; } } destination.push(item); }; var modifiedForeignVZ = new ForeignViewZonesIterator(this.modifiedForeignVZ); var originalForeignVZ = new ForeignViewZonesIterator(this.originalForeignVZ); // In order to include foreign view zones after the last line change, the for loop will iterate once more after the end of the `lineChanges` array for (var i = 0, length_4 = this.lineChanges.length; i <= length_4; i++) { var lineChange = (i < length_4 ? this.lineChanges[i] : null); if (lineChange !== null) { originalEquivalentLineNumber = lineChange.originalStartLineNumber + (lineChange.originalEndLineNumber > 0 ? -1 : 0); modifiedEquivalentLineNumber = lineChange.modifiedStartLineNumber + (lineChange.modifiedEndLineNumber > 0 ? -1 : 0); lineChangeOriginalLength = (lineChange.originalEndLineNumber > 0 ? (lineChange.originalEndLineNumber - lineChange.originalStartLineNumber + 1) : 0); lineChangeModifiedLength = (lineChange.modifiedEndLineNumber > 0 ? (lineChange.modifiedEndLineNumber - lineChange.modifiedStartLineNumber + 1) : 0); originalEndEquivalentLineNumber = Math.max(lineChange.originalStartLineNumber, lineChange.originalEndLineNumber); modifiedEndEquivalentLineNumber = Math.max(lineChange.modifiedStartLineNumber, lineChange.modifiedEndLineNumber); } else { // Increase to very large value to get the producing tests of foreign view zones running originalEquivalentLineNumber += 10000000 + lineChangeOriginalLength; modifiedEquivalentLineNumber += 10000000 + lineChangeModifiedLength; originalEndEquivalentLineNumber = originalEquivalentLineNumber; modifiedEndEquivalentLineNumber = modifiedEquivalentLineNumber; } // Each step produces view zones, and after producing them, we try to cancel them out, to avoid empty-empty view zone cases var stepOriginal = []; var stepModified = []; // ---------------------------- PRODUCE VIEW ZONES // [PRODUCE] View zone(s) in original-side due to foreign view zone(s) in modified-side while (modifiedForeignVZ.current && modifiedForeignVZ.current.afterLineNumber <= modifiedEndEquivalentLineNumber) { var viewZoneLineNumber = void 0; if (modifiedForeignVZ.current.afterLineNumber <= modifiedEquivalentLineNumber) { viewZoneLineNumber = originalEquivalentLineNumber - modifiedEquivalentLineNumber + modifiedForeignVZ.current.afterLineNumber; } else { viewZoneLineNumber = originalEndEquivalentLineNumber; } var marginDomNode = null; if (lineChange && lineChange.modifiedStartLineNumber <= modifiedForeignVZ.current.afterLineNumber && modifiedForeignVZ.current.afterLineNumber <= lineChange.modifiedEndLineNumber) { marginDomNode = this._createOriginalMarginDomNodeForModifiedForeignViewZoneInAddedRegion(); } stepOriginal.push({ afterLineNumber: viewZoneLineNumber, heightInLines: modifiedForeignVZ.current.heightInLines, domNode: null, marginDomNode: marginDomNode }); modifiedForeignVZ.advance(); } // [PRODUCE] View zone(s) in modified-side due to foreign view zone(s) in original-side while (originalForeignVZ.current && originalForeignVZ.current.afterLineNumber <= originalEndEquivalentLineNumber) { var viewZoneLineNumber = void 0; if (originalForeignVZ.current.afterLineNumber <= originalEquivalentLineNumber) { viewZoneLineNumber = modifiedEquivalentLineNumber - originalEquivalentLineNumber + originalForeignVZ.current.afterLineNumber; } else { viewZoneLineNumber = modifiedEndEquivalentLineNumber; } stepModified.push({ afterLineNumber: viewZoneLineNumber, heightInLines: originalForeignVZ.current.heightInLines, domNode: null }); originalForeignVZ.advance(); } if (lineChange !== null && isChangeOrInsert(lineChange)) { var r = this._produceOriginalFromDiff(lineChange, lineChangeOriginalLength, lineChangeModifiedLength); if (r) { stepOriginal.push(r); } } if (lineChange !== null && isChangeOrDelete(lineChange)) { var r = this._produceModifiedFromDiff(lineChange, lineChangeOriginalLength, lineChangeModifiedLength); if (r) { stepModified.push(r); } } // ---------------------------- END PRODUCE VIEW ZONES // ---------------------------- EMIT MINIMAL VIEW ZONES // [CANCEL & EMIT] Try to cancel view zones out var stepOriginalIndex = 0; var stepModifiedIndex = 0; stepOriginal = stepOriginal.sort(sortMyViewZones); stepModified = stepModified.sort(sortMyViewZones); while (stepOriginalIndex < stepOriginal.length && stepModifiedIndex < stepModified.length) { var original = stepOriginal[stepOriginalIndex]; var modified = stepModified[stepModifiedIndex]; var originalDelta = original.afterLineNumber - originalEquivalentLineNumber; var modifiedDelta = modified.afterLineNumber - modifiedEquivalentLineNumber; if (originalDelta < modifiedDelta) { addAndCombineIfPossible(result.original, original); stepOriginalIndex++; } else if (modifiedDelta < originalDelta) { addAndCombineIfPossible(result.modified, modified); stepModifiedIndex++; } else if (original.shouldNotShrink) { addAndCombineIfPossible(result.original, original); stepOriginalIndex++; } else if (modified.shouldNotShrink) { addAndCombineIfPossible(result.modified, modified); stepModifiedIndex++; } else { if (original.heightInLines >= modified.heightInLines) { // modified view zone gets removed original.heightInLines -= modified.heightInLines; stepModifiedIndex++; } else { // original view zone gets removed modified.heightInLines -= original.heightInLines; stepOriginalIndex++; } } } // [EMIT] Remaining original view zones while (stepOriginalIndex < stepOriginal.length) { addAndCombineIfPossible(result.original, stepOriginal[stepOriginalIndex]); stepOriginalIndex++; } // [EMIT] Remaining modified view zones while (stepModifiedIndex < stepModified.length) { addAndCombineIfPossible(result.modified, stepModified[stepModifiedIndex]); stepModifiedIndex++; } // ---------------------------- END EMIT MINIMAL VIEW ZONES } return { original: ViewZonesComputer._ensureDomNodes(result.original), modified: ViewZonesComputer._ensureDomNodes(result.modified), }; }; ViewZonesComputer._ensureDomNodes = function (zones) { return zones.map(function (z) { if (!z.domNode) { z.domNode = createFakeLinesDiv(); } return z; }); }; return ViewZonesComputer; }()); function createDecoration(startLineNumber, startColumn, endLineNumber, endColumn, options) { return { range: new __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__["a" /* Range */](startLineNumber, startColumn, endLineNumber, endColumn), options: options }; } var DECORATIONS = { charDelete: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'char-delete' }), charDeleteWholeLine: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'char-delete', isWholeLine: true }), charInsert: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'char-insert' }), charInsertWholeLine: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'char-insert', isWholeLine: true }), lineInsert: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'line-insert', marginClassName: 'line-insert', isWholeLine: true }), lineInsertWithSign: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'line-insert', linesDecorationsClassName: 'insert-sign', marginClassName: 'line-insert', isWholeLine: true }), lineDelete: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'line-delete', marginClassName: 'line-delete', isWholeLine: true }), lineDeleteWithSign: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ className: 'line-delete', linesDecorationsClassName: 'delete-sign', marginClassName: 'line-delete', isWholeLine: true }), lineDeleteMargin: __WEBPACK_IMPORTED_MODULE_18__common_model_textModel_js__["a" /* ModelDecorationOptions */].register({ marginClassName: 'line-delete', }) }; var DiffEdtorWidgetSideBySide = /** @class */ (function (_super) { __extends(DiffEdtorWidgetSideBySide, _super); function DiffEdtorWidgetSideBySide(dataSource, enableSplitViewResizing) { var _this = _super.call(this, dataSource) || this; _this._disableSash = (enableSplitViewResizing === false); _this._sashRatio = null; _this._sashPosition = null; _this._sash = _this._register(new __WEBPACK_IMPORTED_MODULE_4__base_browser_ui_sash_sash_js__["a" /* Sash */](_this._dataSource.getContainerDomNode(), _this)); if (_this._disableSash) { _this._sash.state = 0 /* Disabled */; } _this._sash.onDidStart(function () { return _this.onSashDragStart(); }); _this._sash.onDidChange(function (e) { return _this.onSashDrag(e); }); _this._sash.onDidEnd(function () { return _this.onSashDragEnd(); }); _this._sash.onDidReset(function () { return _this.onSashReset(); }); return _this; } DiffEdtorWidgetSideBySide.prototype.setEnableSplitViewResizing = function (enableSplitViewResizing) { var newDisableSash = (enableSplitViewResizing === false); if (this._disableSash !== newDisableSash) { this._disableSash = newDisableSash; this._sash.state = this._disableSash ? 0 /* Disabled */ : 3 /* Enabled */; } }; DiffEdtorWidgetSideBySide.prototype.layout = function (sashRatio) { if (sashRatio === void 0) { sashRatio = this._sashRatio; } var w = this._dataSource.getWidth(); var contentWidth = w - DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH; var sashPosition = Math.floor((sashRatio || 0.5) * contentWidth); var midPoint = Math.floor(0.5 * contentWidth); sashPosition = this._disableSash ? midPoint : sashPosition || midPoint; if (contentWidth > DiffEdtorWidgetSideBySide.MINIMUM_EDITOR_WIDTH * 2) { if (sashPosition < DiffEdtorWidgetSideBySide.MINIMUM_EDITOR_WIDTH) { sashPosition = DiffEdtorWidgetSideBySide.MINIMUM_EDITOR_WIDTH; } if (sashPosition > contentWidth - DiffEdtorWidgetSideBySide.MINIMUM_EDITOR_WIDTH) { sashPosition = contentWidth - DiffEdtorWidgetSideBySide.MINIMUM_EDITOR_WIDTH; } } else { sashPosition = midPoint; } if (this._sashPosition !== sashPosition) { this._sashPosition = sashPosition; this._sash.layout(); } return this._sashPosition; }; DiffEdtorWidgetSideBySide.prototype.onSashDragStart = function () { this._startSashPosition = this._sashPosition; }; DiffEdtorWidgetSideBySide.prototype.onSashDrag = function (e) { var w = this._dataSource.getWidth(); var contentWidth = w - DiffEditorWidget.ENTIRE_DIFF_OVERVIEW_WIDTH; var sashPosition = this.layout((this._startSashPosition + (e.currentX - e.startX)) / contentWidth); this._sashRatio = sashPosition / contentWidth; this._dataSource.relayoutEditors(); }; DiffEdtorWidgetSideBySide.prototype.onSashDragEnd = function () { this._sash.layout(); }; DiffEdtorWidgetSideBySide.prototype.onSashReset = function () { this._sashRatio = 0.5; this._dataSource.relayoutEditors(); this._sash.layout(); }; DiffEdtorWidgetSideBySide.prototype.getVerticalSashTop = function (sash) { return 0; }; DiffEdtorWidgetSideBySide.prototype.getVerticalSashLeft = function (sash) { return this._sashPosition; }; DiffEdtorWidgetSideBySide.prototype.getVerticalSashHeight = function (sash) { return this._dataSource.getHeight(); }; DiffEdtorWidgetSideBySide.prototype._getViewZones = function (lineChanges, originalForeignVZ, modifiedForeignVZ, originalEditor, modifiedEditor) { var c = new SideBySideViewZonesComputer(lineChanges, originalForeignVZ, modifiedForeignVZ); return c.getViewZones(); }; DiffEdtorWidgetSideBySide.prototype._getOriginalEditorDecorations = function (lineChanges, ignoreTrimWhitespace, renderIndicators, originalEditor, modifiedEditor) { var overviewZoneColor = this._removeColor.toString(); var result = { decorations: [], overviewZones: [] }; var originalModel = originalEditor.getModel(); for (var i = 0, length_5 = lineChanges.length; i < length_5; i++) { var lineChange = lineChanges[i]; if (isChangeOrDelete(lineChange)) { result.decorations.push({ range: new __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__["a" /* Range */](lineChange.originalStartLineNumber, 1, lineChange.originalEndLineNumber, Number.MAX_VALUE), options: (renderIndicators ? DECORATIONS.lineDeleteWithSign : DECORATIONS.lineDelete) }); if (!isChangeOrInsert(lineChange) || !lineChange.charChanges) { result.decorations.push(createDecoration(lineChange.originalStartLineNumber, 1, lineChange.originalEndLineNumber, Number.MAX_VALUE, DECORATIONS.charDeleteWholeLine)); } result.overviewZones.push(new __WEBPACK_IMPORTED_MODULE_20__common_view_overviewZoneManager_js__["a" /* OverviewRulerZone */](lineChange.originalStartLineNumber, lineChange.originalEndLineNumber, overviewZoneColor)); if (lineChange.charChanges) { for (var j = 0, lengthJ = lineChange.charChanges.length; j < lengthJ; j++) { var charChange = lineChange.charChanges[j]; if (isChangeOrDelete(charChange)) { if (ignoreTrimWhitespace) { for (var lineNumber = charChange.originalStartLineNumber; lineNumber <= charChange.originalEndLineNumber; lineNumber++) { var startColumn = void 0; var endColumn = void 0; if (lineNumber === charChange.originalStartLineNumber) { startColumn = charChange.originalStartColumn; } else { startColumn = originalModel.getLineFirstNonWhitespaceColumn(lineNumber); } if (lineNumber === charChange.originalEndLineNumber) { endColumn = charChange.originalEndColumn; } else { endColumn = originalModel.getLineLastNonWhitespaceColumn(lineNumber); } result.decorations.push(createDecoration(lineNumber, startColumn, lineNumber, endColumn, DECORATIONS.charDelete)); } } else { result.decorations.push(createDecoration(charChange.originalStartLineNumber, charChange.originalStartColumn, charChange.originalEndLineNumber, charChange.originalEndColumn, DECORATIONS.charDelete)); } } } } } } return result; }; DiffEdtorWidgetSideBySide.prototype._getModifiedEditorDecorations = function (lineChanges, ignoreTrimWhitespace, renderIndicators, originalEditor, modifiedEditor) { var overviewZoneColor = this._insertColor.toString(); var result = { decorations: [], overviewZones: [] }; var modifiedModel = modifiedEditor.getModel(); for (var i = 0, length_6 = lineChanges.length; i < length_6; i++) { var lineChange = lineChanges[i]; if (isChangeOrInsert(lineChange)) { result.decorations.push({ range: new __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__["a" /* Range */](lineChange.modifiedStartLineNumber, 1, lineChange.modifiedEndLineNumber, Number.MAX_VALUE), options: (renderIndicators ? DECORATIONS.lineInsertWithSign : DECORATIONS.lineInsert) }); if (!isChangeOrDelete(lineChange) || !lineChange.charChanges) { result.decorations.push(createDecoration(lineChange.modifiedStartLineNumber, 1, lineChange.modifiedEndLineNumber, Number.MAX_VALUE, DECORATIONS.charInsertWholeLine)); } result.overviewZones.push(new __WEBPACK_IMPORTED_MODULE_20__common_view_overviewZoneManager_js__["a" /* OverviewRulerZone */](lineChange.modifiedStartLineNumber, lineChange.modifiedEndLineNumber, overviewZoneColor)); if (lineChange.charChanges) { for (var j = 0, lengthJ = lineChange.charChanges.length; j < lengthJ; j++) { var charChange = lineChange.charChanges[j]; if (isChangeOrInsert(charChange)) { if (ignoreTrimWhitespace) { for (var lineNumber = charChange.modifiedStartLineNumber; lineNumber <= charChange.modifiedEndLineNumber; lineNumber++) { var startColumn = void 0; var endColumn = void 0; if (lineNumber === charChange.modifiedStartLineNumber) { startColumn = charChange.modifiedStartColumn; } else { startColumn = modifiedModel.getLineFirstNonWhitespaceColumn(lineNumber); } if (lineNumber === charChange.modifiedEndLineNumber) { endColumn = charChange.modifiedEndColumn; } else { endColumn = modifiedModel.getLineLastNonWhitespaceColumn(lineNumber); } result.decorations.push(createDecoration(lineNumber, startColumn, lineNumber, endColumn, DECORATIONS.charInsert)); } } else { result.decorations.push(createDecoration(charChange.modifiedStartLineNumber, charChange.modifiedStartColumn, charChange.modifiedEndLineNumber, charChange.modifiedEndColumn, DECORATIONS.charInsert)); } } } } } } return result; }; DiffEdtorWidgetSideBySide.MINIMUM_EDITOR_WIDTH = 100; return DiffEdtorWidgetSideBySide; }(DiffEditorWidgetStyle)); var SideBySideViewZonesComputer = /** @class */ (function (_super) { __extends(SideBySideViewZonesComputer, _super); function SideBySideViewZonesComputer(lineChanges, originalForeignVZ, modifiedForeignVZ) { return _super.call(this, lineChanges, originalForeignVZ, modifiedForeignVZ) || this; } SideBySideViewZonesComputer.prototype._createOriginalMarginDomNodeForModifiedForeignViewZoneInAddedRegion = function () { return null; }; SideBySideViewZonesComputer.prototype._produceOriginalFromDiff = function (lineChange, lineChangeOriginalLength, lineChangeModifiedLength) { if (lineChangeModifiedLength > lineChangeOriginalLength) { return { afterLineNumber: Math.max(lineChange.originalStartLineNumber, lineChange.originalEndLineNumber), heightInLines: (lineChangeModifiedLength - lineChangeOriginalLength), domNode: null }; } return null; }; SideBySideViewZonesComputer.prototype._produceModifiedFromDiff = function (lineChange, lineChangeOriginalLength, lineChangeModifiedLength) { if (lineChangeOriginalLength > lineChangeModifiedLength) { return { afterLineNumber: Math.max(lineChange.modifiedStartLineNumber, lineChange.modifiedEndLineNumber), heightInLines: (lineChangeOriginalLength - lineChangeModifiedLength), domNode: null }; } return null; }; return SideBySideViewZonesComputer; }(ViewZonesComputer)); var DiffEdtorWidgetInline = /** @class */ (function (_super) { __extends(DiffEdtorWidgetInline, _super); function DiffEdtorWidgetInline(dataSource, enableSplitViewResizing) { var _this = _super.call(this, dataSource) || this; _this.decorationsLeft = dataSource.getOriginalEditor().getLayoutInfo().decorationsLeft; _this._register(dataSource.getOriginalEditor().onDidLayoutChange(function (layoutInfo) { if (_this.decorationsLeft !== layoutInfo.decorationsLeft) { _this.decorationsLeft = layoutInfo.decorationsLeft; dataSource.relayoutEditors(); } })); return _this; } DiffEdtorWidgetInline.prototype.setEnableSplitViewResizing = function (enableSplitViewResizing) { // Nothing to do.. }; DiffEdtorWidgetInline.prototype._getViewZones = function (lineChanges, originalForeignVZ, modifiedForeignVZ, originalEditor, modifiedEditor, renderIndicators) { var computer = new InlineViewZonesComputer(lineChanges, originalForeignVZ, modifiedForeignVZ, originalEditor, modifiedEditor, renderIndicators); return computer.getViewZones(); }; DiffEdtorWidgetInline.prototype._getOriginalEditorDecorations = function (lineChanges, ignoreTrimWhitespace, renderIndicators, originalEditor, modifiedEditor) { var overviewZoneColor = this._removeColor.toString(); var result = { decorations: [], overviewZones: [] }; for (var i = 0, length_7 = lineChanges.length; i < length_7; i++) { var lineChange = lineChanges[i]; // Add overview zones in the overview ruler if (isChangeOrDelete(lineChange)) { result.decorations.push({ range: new __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__["a" /* Range */](lineChange.originalStartLineNumber, 1, lineChange.originalEndLineNumber, Number.MAX_VALUE), options: DECORATIONS.lineDeleteMargin }); result.overviewZones.push(new __WEBPACK_IMPORTED_MODULE_20__common_view_overviewZoneManager_js__["a" /* OverviewRulerZone */](lineChange.originalStartLineNumber, lineChange.originalEndLineNumber, overviewZoneColor)); } } return result; }; DiffEdtorWidgetInline.prototype._getModifiedEditorDecorations = function (lineChanges, ignoreTrimWhitespace, renderIndicators, originalEditor, modifiedEditor) { var overviewZoneColor = this._insertColor.toString(); var result = { decorations: [], overviewZones: [] }; var modifiedModel = modifiedEditor.getModel(); for (var i = 0, length_8 = lineChanges.length; i < length_8; i++) { var lineChange = lineChanges[i]; // Add decorations & overview zones if (isChangeOrInsert(lineChange)) { result.decorations.push({ range: new __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__["a" /* Range */](lineChange.modifiedStartLineNumber, 1, lineChange.modifiedEndLineNumber, Number.MAX_VALUE), options: (renderIndicators ? DECORATIONS.lineInsertWithSign : DECORATIONS.lineInsert) }); result.overviewZones.push(new __WEBPACK_IMPORTED_MODULE_20__common_view_overviewZoneManager_js__["a" /* OverviewRulerZone */](lineChange.modifiedStartLineNumber, lineChange.modifiedEndLineNumber, overviewZoneColor)); if (lineChange.charChanges) { for (var j = 0, lengthJ = lineChange.charChanges.length; j < lengthJ; j++) { var charChange = lineChange.charChanges[j]; if (isChangeOrInsert(charChange)) { if (ignoreTrimWhitespace) { for (var lineNumber = charChange.modifiedStartLineNumber; lineNumber <= charChange.modifiedEndLineNumber; lineNumber++) { var startColumn = void 0; var endColumn = void 0; if (lineNumber === charChange.modifiedStartLineNumber) { startColumn = charChange.modifiedStartColumn; } else { startColumn = modifiedModel.getLineFirstNonWhitespaceColumn(lineNumber); } if (lineNumber === charChange.modifiedEndLineNumber) { endColumn = charChange.modifiedEndColumn; } else { endColumn = modifiedModel.getLineLastNonWhitespaceColumn(lineNumber); } result.decorations.push(createDecoration(lineNumber, startColumn, lineNumber, endColumn, DECORATIONS.charInsert)); } } else { result.decorations.push(createDecoration(charChange.modifiedStartLineNumber, charChange.modifiedStartColumn, charChange.modifiedEndLineNumber, charChange.modifiedEndColumn, DECORATIONS.charInsert)); } } } } else { result.decorations.push(createDecoration(lineChange.modifiedStartLineNumber, 1, lineChange.modifiedEndLineNumber, Number.MAX_VALUE, DECORATIONS.charInsertWholeLine)); } } } return result; }; DiffEdtorWidgetInline.prototype.layout = function () { // An editor should not be smaller than 5px return Math.max(5, this.decorationsLeft); }; return DiffEdtorWidgetInline; }(DiffEditorWidgetStyle)); var InlineViewZonesComputer = /** @class */ (function (_super) { __extends(InlineViewZonesComputer, _super); function InlineViewZonesComputer(lineChanges, originalForeignVZ, modifiedForeignVZ, originalEditor, modifiedEditor, renderIndicators) { var _this = _super.call(this, lineChanges, originalForeignVZ, modifiedForeignVZ) || this; _this.originalModel = originalEditor.getModel(); _this.modifiedEditorConfiguration = modifiedEditor.getConfiguration(); _this.modifiedEditorTabSize = modifiedEditor.getModel().getOptions().tabSize; _this.renderIndicators = renderIndicators; return _this; } InlineViewZonesComputer.prototype._createOriginalMarginDomNodeForModifiedForeignViewZoneInAddedRegion = function () { var result = document.createElement('div'); result.className = 'inline-added-margin-view-zone'; return result; }; InlineViewZonesComputer.prototype._produceOriginalFromDiff = function (lineChange, lineChangeOriginalLength, lineChangeModifiedLength) { var marginDomNode = document.createElement('div'); marginDomNode.className = 'inline-added-margin-view-zone'; return { afterLineNumber: Math.max(lineChange.originalStartLineNumber, lineChange.originalEndLineNumber), heightInLines: lineChangeModifiedLength, domNode: document.createElement('div'), marginDomNode: marginDomNode }; }; InlineViewZonesComputer.prototype._produceModifiedFromDiff = function (lineChange, lineChangeOriginalLength, lineChangeModifiedLength) { var decorations = []; if (lineChange.charChanges) { for (var j = 0, lengthJ = lineChange.charChanges.length; j < lengthJ; j++) { var charChange = lineChange.charChanges[j]; if (isChangeOrDelete(charChange)) { decorations.push(new __WEBPACK_IMPORTED_MODULE_23__common_viewModel_viewModel_js__["a" /* InlineDecoration */](new __WEBPACK_IMPORTED_MODULE_15__common_core_range_js__["a" /* Range */](charChange.originalStartLineNumber, charChange.originalStartColumn, charChange.originalEndLineNumber, charChange.originalEndColumn), 'char-delete', 0 /* Regular */)); } } } var sb = Object(__WEBPACK_IMPORTED_MODULE_16__common_core_stringBuilder_js__["a" /* createStringBuilder */])(10000); var marginHTML = []; var lineDecorationsWidth = this.modifiedEditorConfiguration.layoutInfo.decorationsWidth; var lineHeight = this.modifiedEditorConfiguration.lineHeight; var typicalHalfwidthCharacterWidth = this.modifiedEditorConfiguration.fontInfo.typicalHalfwidthCharacterWidth; var maxCharsPerLine = 0; for (var lineNumber = lineChange.originalStartLineNumber; lineNumber <= lineChange.originalEndLineNumber; lineNumber++) { maxCharsPerLine = Math.max(maxCharsPerLine, this._renderOriginalLine(lineNumber - lineChange.originalStartLineNumber, this.originalModel, this.modifiedEditorConfiguration, this.modifiedEditorTabSize, lineNumber, decorations, sb)); if (this.renderIndicators) { var index = lineNumber - lineChange.originalStartLineNumber; marginHTML = marginHTML.concat([ "<div class=\"delete-sign\" style=\"position:absolute;top:" + index * lineHeight + "px;width:" + lineDecorationsWidth + "px;height:" + lineHeight + "px;right:0;\"></div>" ]); } } maxCharsPerLine += this.modifiedEditorConfiguration.viewInfo.scrollBeyondLastColumn; var domNode = document.createElement('div'); domNode.className = 'view-lines line-delete'; domNode.innerHTML = sb.build(); __WEBPACK_IMPORTED_MODULE_9__config_configuration_js__["a" /* Configuration */].applyFontInfoSlow(domNode, this.modifiedEditorConfiguration.fontInfo); var marginDomNode = document.createElement('div'); marginDomNode.className = 'inline-deleted-margin-view-zone'; marginDomNode.innerHTML = marginHTML.join(''); __WEBPACK_IMPORTED_MODULE_9__config_configuration_js__["a" /* Configuration */].applyFontInfoSlow(marginDomNode, this.modifiedEditorConfiguration.fontInfo); return { shouldNotShrink: true, afterLineNumber: (lineChange.modifiedEndLineNumber === 0 ? lineChange.modifiedStartLineNumber : lineChange.modifiedStartLineNumber - 1), heightInLines: lineChangeOriginalLength, minWidthInPx: (maxCharsPerLine * typicalHalfwidthCharacterWidth), domNode: domNode, marginDomNode: marginDomNode }; }; InlineViewZonesComputer.prototype._renderOriginalLine = function (count, originalModel, config, tabSize, lineNumber, decorations, sb) { var lineTokens = originalModel.getLineTokens(lineNumber); var lineContent = lineTokens.getLineContent(); var actualDecorations = __WEBPACK_IMPORTED_MODULE_21__common_viewLayout_lineDecorations_js__["a" /* LineDecoration */].filter(decorations, lineNumber, 1, lineContent.length + 1); sb.appendASCIIString('<div class="view-line'); if (decorations.length === 0) { // No char changes sb.appendASCIIString(' char-delete'); } sb.appendASCIIString('" style="top:'); sb.appendASCIIString(String(count * config.lineHeight)); sb.appendASCIIString('px;width:1000000px;">'); var isBasicASCII = __WEBPACK_IMPORTED_MODULE_23__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].isBasicASCII(lineContent, originalModel.mightContainNonBasicASCII()); var containsRTL = __WEBPACK_IMPORTED_MODULE_23__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].containsRTL(lineContent, isBasicASCII, originalModel.mightContainRTL()); var output = Object(__WEBPACK_IMPORTED_MODULE_22__common_viewLayout_viewLineRenderer_js__["c" /* renderViewLine */])(new __WEBPACK_IMPORTED_MODULE_22__common_viewLayout_viewLineRenderer_js__["b" /* RenderLineInput */]((config.fontInfo.isMonospace && !config.viewInfo.disableMonospaceOptimizations), config.fontInfo.canUseHalfwidthRightwardsArrow, lineContent, false, isBasicASCII, containsRTL, 0, lineTokens, actualDecorations, tabSize, config.fontInfo.spaceWidth, config.viewInfo.stopRenderingLineAfter, config.viewInfo.renderWhitespace, config.viewInfo.renderControlCharacters, config.viewInfo.fontLigatures), sb); sb.appendASCIIString('</div>'); var absoluteOffsets = output.characterMapping.getAbsoluteOffsets(); return absoluteOffsets.length > 0 ? absoluteOffsets[absoluteOffsets.length - 1] : 0; }; return InlineViewZonesComputer; }(ViewZonesComputer)); function isChangeOrInsert(lineChange) { return lineChange.modifiedEndLineNumber > 0; } function isChangeOrDelete(lineChange) { return lineChange.originalEndLineNumber > 0; } function createFakeLinesDiv() { var r = document.createElement('div'); r.className = 'diagonal-fill'; return r; } Object(__WEBPACK_IMPORTED_MODULE_29__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var added = theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["j" /* diffInserted */]); if (added) { collector.addRule(".monaco-editor .line-insert, .monaco-editor .char-insert { background-color: " + added + "; }"); collector.addRule(".monaco-diff-editor .line-insert, .monaco-diff-editor .char-insert { background-color: " + added + "; }"); collector.addRule(".monaco-editor .inline-added-margin-view-zone { background-color: " + added + "; }"); } var removed = theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["l" /* diffRemoved */]); if (removed) { collector.addRule(".monaco-editor .line-delete, .monaco-editor .char-delete { background-color: " + removed + "; }"); collector.addRule(".monaco-diff-editor .line-delete, .monaco-diff-editor .char-delete { background-color: " + removed + "; }"); collector.addRule(".monaco-editor .inline-deleted-margin-view-zone { background-color: " + removed + "; }"); } var addedOutline = theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["k" /* diffInsertedOutline */]); if (addedOutline) { collector.addRule(".monaco-editor .line-insert, .monaco-editor .char-insert { border: 1px " + (theme.type === 'hc' ? 'dashed' : 'solid') + " " + addedOutline + "; }"); } var removedOutline = theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["m" /* diffRemovedOutline */]); if (removedOutline) { collector.addRule(".monaco-editor .line-delete, .monaco-editor .char-delete { border: 1px " + (theme.type === 'hc' ? 'dashed' : 'solid') + " " + removedOutline + "; }"); } var shadow = theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["_4" /* scrollbarShadow */]); if (shadow) { collector.addRule(".monaco-diff-editor.side-by-side .editor.modified { box-shadow: -6px 0 5px -5px " + shadow + "; }"); } var border = theme.getColor(__WEBPACK_IMPORTED_MODULE_28__platform_theme_common_colorRegistry_js__["i" /* diffBorder */]); if (border) { collector.addRule(".monaco-diff-editor.side-by-side .editor.modified { border-left: 1px solid " + border + "; }"); } }); /***/ }), /***/ 2025: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2026); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2026: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-diff-editor .diffOverview{z-index:9}.monaco-diff-editor.vs .diffOverview{background:rgba(0,0,0,.03)}.monaco-diff-editor.vs-dark .diffOverview{background:hsla(0,0%,100%,.01)}.monaco-diff-editor .diffViewport{-webkit-box-shadow:inset 0 0 1px 0 #b9b9b9;box-shadow:inset 0 0 1px 0 #b9b9b9;background:rgba(0,0,0,.1)}.monaco-diff-editor.hc-black .diffViewport,.monaco-diff-editor.vs-dark .diffViewport{background:hsla(0,0%,100%,.1)}.monaco-scrollable-element.modified-in-monaco-diff-editor.vs-dark .scrollbar,.monaco-scrollable-element.modified-in-monaco-diff-editor.vs .scrollbar{background:transparent}.monaco-scrollable-element.modified-in-monaco-diff-editor.hc-black .scrollbar{background:none}.monaco-scrollable-element.modified-in-monaco-diff-editor .slider{z-index:10}.modified-in-monaco-diff-editor .slider.active{background:hsla(0,0%,67%,.4)}.modified-in-monaco-diff-editor.hc-black .slider.active{background:none}.monaco-diff-editor .delete-sign,.monaco-diff-editor .insert-sign,.monaco-editor .delete-sign,.monaco-editor .insert-sign{background-size:60%;opacity:.7;background-repeat:no-repeat;background-position:50% 50%;background-position:50%;background-size:11px 11px}.monaco-diff-editor.hc-black .delete-sign,.monaco-diff-editor.hc-black .insert-sign,.monaco-editor.hc-black .delete-sign,.monaco-editor.hc-black .insert-sign{opacity:1}.monaco-diff-editor .insert-sign,.monaco-editor .insert-sign{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMTEiIHdpZHRoPSIzIiB5PSIzIiB4PSI3IiBmaWxsPSIjNDI0MjQyIi8+PHJlY3QgaGVpZ2h0PSIzIiB3aWR0aD0iMTEiIHk9IjciIHg9IjMiIGZpbGw9IiM0MjQyNDIiLz48L3N2Zz4=\")}.monaco-diff-editor .delete-sign,.monaco-editor .delete-sign{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMyIgd2lkdGg9IjExIiB5PSI3IiB4PSIzIiBmaWxsPSIjNDI0MjQyIi8+PC9zdmc+\")}.monaco-diff-editor.hc-black .insert-sign,.monaco-diff-editor.vs-dark .insert-sign,.monaco-editor.hc-black .insert-sign,.monaco-editor.vs-dark .insert-sign{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMTEiIHdpZHRoPSIzIiB5PSIzIiB4PSI3IiBmaWxsPSIjQzVDNUM1Ii8+PHJlY3QgaGVpZ2h0PSIzIiB3aWR0aD0iMTEiIHk9IjciIHg9IjMiIGZpbGw9IiNDNUM1QzUiLz48L3N2Zz4=\")}.monaco-diff-editor.hc-black .delete-sign,.monaco-diff-editor.vs-dark .delete-sign,.monaco-editor.hc-black .delete-sign,.monaco-editor.vs-dark .delete-sign{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMyIgd2lkdGg9IjExIiB5PSI3IiB4PSIzIiBmaWxsPSIjQzVDNUM1Ii8+PC9zdmc+\")}.monaco-editor .inline-added-margin-view-zone,.monaco-editor .inline-deleted-margin-view-zone{text-align:right}.monaco-editor .diagonal-fill{background:url(\"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAkAAAAJCAYAAADgkQYQAAAAAXNSR0IArs4c6QAAAARnQU1BAACxjwv8YQUAAAAJcEhZcwAADsMAAA7DAcdvqGQAAAAadEVYdFNvZnR3YXJlAFBhaW50Lk5FVCB2My41LjEwMPRyoQAAAChJREFUKFNjOH/+fAMDDgCSu3Dhwn9c8gwwBTgNGR4KQP4HhQOhsAIAZCBTkhtqePcAAAAASUVORK5CYII=\")}.monaco-editor.vs-dark .diagonal-fill{opacity:.2}.monaco-editor.hc-black .diagonal-fill{background:none}.monaco-editor .view-zones .view-lines .view-line span{display:inline-block}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/widget/media/diffEditor.css"],"names":[],"mappings":"AAMA,kCACC,SAAW,CACX,AAGD,qCAAyC,0BAAgC,CAAE,AAC3E,0CAA6C,8BAAsC,CAAE,AAErF,kCACC,2CAAkD,AAC1C,mCAA0C,AAClD,yBAAgC,CAChC,AAED,qFAEC,6BAAsC,CACtC,AAED,qJAA+E,sBAA0B,CAAE,AAC3G,8EAAgF,eAAiB,CAAE,AAEnG,kEACC,UAAY,CACZ,AACD,+CAAoD,4BAAoC,CAAE,AAC1F,wDAA0D,eAAiB,CAAE,AAI7E,0HAIC,oBAAqB,AACrB,WAAa,AACb,4BAA6B,AAC7B,4BAA6B,AAC7B,wBAA4B,AAC5B,yBAA2B,CAC3B,AACD,8JAIC,SAAW,CACX,AACD,6DAEC,kUAAoU,CACpU,AACD,6DAEC,sPAAwP,CACxP,AAED,4JAIC,kUAAoU,CACpU,AACD,4JAIC,sPAAwP,CACxP,AAKD,8FACC,gBAAkB,CAClB,AAED,8BACC,gSAAkS,CAClS,AACD,sCACC,UAAa,CACb,AACD,uCACC,eAAiB,CACjB,AAID,uDACC,oBAAsB,CACtB","file":"diffEditor.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n/* ---------- DiffEditor ---------- */\n\n.monaco-diff-editor .diffOverview {\n\tz-index: 9;\n}\n\n/* colors not externalized: using transparancy on background */\n.monaco-diff-editor.vs\t\t\t.diffOverview { background: rgba(0, 0, 0, 0.03); }\n.monaco-diff-editor.vs-dark\t\t.diffOverview { background: rgba(255, 255, 255, 0.01); }\n\n.monaco-diff-editor .diffViewport {\n\t-webkit-box-shadow: inset 0px 0px 1px 0px #B9B9B9;\n\t box-shadow: inset 0px 0px 1px 0px #B9B9B9;\n\tbackground: rgba(0, 0, 0, 0.10);\n}\n\n.monaco-diff-editor.vs-dark .diffViewport,\n.monaco-diff-editor.hc-black .diffViewport {\n\tbackground: rgba(255, 255, 255, 0.10);\n}\n.monaco-scrollable-element.modified-in-monaco-diff-editor.vs\t\t.scrollbar { background: rgba(0,0,0,0); }\n.monaco-scrollable-element.modified-in-monaco-diff-editor.vs-dark\t.scrollbar { background: rgba(0,0,0,0); }\n.monaco-scrollable-element.modified-in-monaco-diff-editor.hc-black\t.scrollbar { background: none; }\n\n.monaco-scrollable-element.modified-in-monaco-diff-editor .slider {\n\tz-index: 10;\n}\n.modified-in-monaco-diff-editor\t\t\t\t.slider.active { background: rgba(171, 171, 171, .4); }\n.modified-in-monaco-diff-editor.hc-black\t.slider.active { background: none; }\n\n/* ---------- Diff ---------- */\n\n.monaco-editor .insert-sign,\n.monaco-diff-editor .insert-sign,\n.monaco-editor .delete-sign,\n.monaco-diff-editor .delete-sign {\n\tbackground-size: 60%;\n\topacity: 0.7;\n\tbackground-repeat: no-repeat;\n\tbackground-position: 50% 50%;\n\tbackground-position: center;\n\tbackground-size: 11px 11px;\n}\n.monaco-editor.hc-black .insert-sign,\n.monaco-diff-editor.hc-black .insert-sign,\n.monaco-editor.hc-black .delete-sign,\n.monaco-diff-editor.hc-black .delete-sign {\n\topacity: 1;\n}\n.monaco-editor .insert-sign,\n.monaco-diff-editor .insert-sign {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMTEiIHdpZHRoPSIzIiB5PSIzIiB4PSI3IiBmaWxsPSIjNDI0MjQyIi8+PHJlY3QgaGVpZ2h0PSIzIiB3aWR0aD0iMTEiIHk9IjciIHg9IjMiIGZpbGw9IiM0MjQyNDIiLz48L3N2Zz4=\");\n}\n.monaco-editor .delete-sign,\n.monaco-diff-editor .delete-sign {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMyIgd2lkdGg9IjExIiB5PSI3IiB4PSIzIiBmaWxsPSIjNDI0MjQyIi8+PC9zdmc+\");\n}\n\n.monaco-editor.vs-dark .insert-sign,\n.monaco-diff-editor.vs-dark .insert-sign,\n.monaco-editor.hc-black .insert-sign,\n.monaco-diff-editor.hc-black .insert-sign {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMTEiIHdpZHRoPSIzIiB5PSIzIiB4PSI3IiBmaWxsPSIjQzVDNUM1Ii8+PHJlY3QgaGVpZ2h0PSIzIiB3aWR0aD0iMTEiIHk9IjciIHg9IjMiIGZpbGw9IiNDNUM1QzUiLz48L3N2Zz4=\");\n}\n.monaco-editor.vs-dark .delete-sign,\n.monaco-diff-editor.vs-dark .delete-sign,\n.monaco-editor.hc-black .delete-sign,\n.monaco-diff-editor.hc-black .delete-sign {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PHRpdGxlPkxheWVyIDE8L3RpdGxlPjxyZWN0IGhlaWdodD0iMyIgd2lkdGg9IjExIiB5PSI3IiB4PSIzIiBmaWxsPSIjQzVDNUM1Ii8+PC9zdmc+\");\n}\n\n.monaco-editor .inline-deleted-margin-view-zone {\n\ttext-align: right;\n}\n.monaco-editor .inline-added-margin-view-zone {\n\ttext-align: right;\n}\n\n.monaco-editor .diagonal-fill {\n\tbackground: url(\"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAkAAAAJCAYAAADgkQYQAAAAAXNSR0IArs4c6QAAAARnQU1BAACxjwv8YQUAAAAJcEhZcwAADsMAAA7DAcdvqGQAAAAadEVYdFNvZnR3YXJlAFBhaW50Lk5FVCB2My41LjEwMPRyoQAAAChJREFUKFNjOH/+fAMDDgCSu3Dhwn9c8gwwBTgNGR4KQP4HhQOhsAIAZCBTkhtqePcAAAAASUVORK5CYII=\");\n}\n.monaco-editor.vs-dark .diagonal-fill {\n\topacity: 0.2;\n}\n.monaco-editor.hc-black .diagonal-fill {\n\tbackground: none;\n}\n\n/* ---------- Inline Diff ---------- */\n\n.monaco-editor .view-zones .view-lines .view-line span {\n\tdisplay: inline-block;\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 2027: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Sash; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__sash_css__ = __webpack_require__(2028); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__sash_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__sash_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__touch_js__ = __webpack_require__(1397); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__event_js__ = __webpack_require__(1357); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var DEBUG = false; var Sash = /** @class */ (function (_super) { __extends(Sash, _super); function Sash(container, layoutProvider, options) { if (options === void 0) { options = {}; } var _this = _super.call(this) || this; _this._state = 3 /* Enabled */; _this._onDidEnablementChange = _this._register(new __WEBPACK_IMPORTED_MODULE_7__common_event_js__["a" /* Emitter */]()); _this.onDidEnablementChange = _this._onDidEnablementChange.event; _this._onDidStart = _this._register(new __WEBPACK_IMPORTED_MODULE_7__common_event_js__["a" /* Emitter */]()); _this.onDidStart = _this._onDidStart.event; _this._onDidChange = _this._register(new __WEBPACK_IMPORTED_MODULE_7__common_event_js__["a" /* Emitter */]()); _this.onDidChange = _this._onDidChange.event; _this._onDidReset = _this._register(new __WEBPACK_IMPORTED_MODULE_7__common_event_js__["a" /* Emitter */]()); _this.onDidReset = _this._onDidReset.event; _this._onDidEnd = _this._register(new __WEBPACK_IMPORTED_MODULE_7__common_event_js__["a" /* Emitter */]()); _this.onDidEnd = _this._onDidEnd.event; _this.linkedSash = undefined; _this.orthogonalStartSashDisposables = []; _this.orthogonalEndSashDisposables = []; _this.el = Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["l" /* append */])(container, Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["a" /* $ */])('.monaco-sash')); if (__WEBPACK_IMPORTED_MODULE_3__common_platform_js__["d" /* isMacintosh */]) { Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["e" /* addClass */])(_this.el, 'mac'); } _this._register(Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(_this.el, 'mousedown')(_this.onMouseDown, _this)); _this._register(Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(_this.el, 'dblclick')(_this.onMouseDoubleClick, _this)); __WEBPACK_IMPORTED_MODULE_5__touch_js__["b" /* Gesture */].addTarget(_this.el); _this._register(Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(_this.el, __WEBPACK_IMPORTED_MODULE_5__touch_js__["a" /* EventType */].Start)(_this.onTouchStart, _this)); if (__WEBPACK_IMPORTED_MODULE_2__browser_js__["k" /* isIPad */]) { // see also http://ux.stackexchange.com/questions/39023/what-is-the-optimum-button-size-of-touch-screen-applications Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["e" /* addClass */])(_this.el, 'touch'); } _this.setOrientation(options.orientation || 0 /* VERTICAL */); _this.hidden = false; _this.layoutProvider = layoutProvider; _this.orthogonalStartSash = options.orthogonalStartSash; _this.orthogonalEndSash = options.orthogonalEndSash; Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(_this.el, 'debug', DEBUG); return _this; } Object.defineProperty(Sash.prototype, "state", { get: function () { return this._state; }, set: function (state) { if (this._state === state) { return; } Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(this.el, 'disabled', state === 0 /* Disabled */); Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(this.el, 'minimum', state === 1 /* Minimum */); Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(this.el, 'maximum', state === 2 /* Maximum */); this._state = state; this._onDidEnablementChange.fire(state); }, enumerable: true, configurable: true }); Object.defineProperty(Sash.prototype, "orthogonalStartSash", { get: function () { return this._orthogonalStartSash; }, set: function (sash) { this.orthogonalStartSashDisposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.orthogonalStartSashDisposables); if (sash) { sash.onDidEnablementChange(this.onOrthogonalStartSashEnablementChange, this, this.orthogonalStartSashDisposables); this.onOrthogonalStartSashEnablementChange(sash.state); } else { this.onOrthogonalStartSashEnablementChange(0 /* Disabled */); } this._orthogonalStartSash = sash; }, enumerable: true, configurable: true }); Object.defineProperty(Sash.prototype, "orthogonalEndSash", { get: function () { return this._orthogonalEndSash; }, set: function (sash) { this.orthogonalEndSashDisposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.orthogonalEndSashDisposables); if (sash) { sash.onDidEnablementChange(this.onOrthogonalEndSashEnablementChange, this, this.orthogonalEndSashDisposables); this.onOrthogonalEndSashEnablementChange(sash.state); } else { this.onOrthogonalEndSashEnablementChange(0 /* Disabled */); } this._orthogonalEndSash = sash; }, enumerable: true, configurable: true }); Sash.prototype.setOrientation = function (orientation) { this.orientation = orientation; if (this.orientation === 1 /* HORIZONTAL */) { Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["e" /* addClass */])(this.el, 'horizontal'); Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["D" /* removeClass */])(this.el, 'vertical'); } else { Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["D" /* removeClass */])(this.el, 'horizontal'); Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["e" /* addClass */])(this.el, 'vertical'); } if (this.layoutProvider) { this.layout(); } }; Sash.prototype.onMouseDown = function (e) { var _this = this; __WEBPACK_IMPORTED_MODULE_8__dom_js__["b" /* EventHelper */].stop(e, false); var isMultisashResize = false; if (this.linkedSash && !e.__linkedSashEvent) { e.__linkedSashEvent = true; this.linkedSash.onMouseDown(e); } if (!e.__orthogonalSashEvent) { var orthogonalSash = void 0; if (this.orientation === 0 /* VERTICAL */) { if (e.offsetY <= 4) { orthogonalSash = this.orthogonalStartSash; } else if (e.offsetY >= this.el.clientHeight - 4) { orthogonalSash = this.orthogonalEndSash; } } else { if (e.offsetX <= 4) { orthogonalSash = this.orthogonalStartSash; } else if (e.offsetX >= this.el.clientWidth - 4) { orthogonalSash = this.orthogonalEndSash; } } if (orthogonalSash) { isMultisashResize = true; e.__orthogonalSashEvent = true; orthogonalSash.onMouseDown(e); } } if (!this.state) { return; } var iframes = Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["t" /* getElementsByTagName */])('iframe'); for (var _i = 0, iframes_1 = iframes; _i < iframes_1.length; _i++) { var iframe = iframes_1[_i]; iframe.style.pointerEvents = 'none'; // disable mouse events on iframes as long as we drag the sash } var mouseDownEvent = new __WEBPACK_IMPORTED_MODULE_6__mouseEvent_js__["a" /* StandardMouseEvent */](e); var startX = mouseDownEvent.posx; var startY = mouseDownEvent.posy; var altKey = mouseDownEvent.altKey; var startEvent = { startX: startX, currentX: startX, startY: startY, currentY: startY, altKey: altKey }; Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["e" /* addClass */])(this.el, 'active'); this._onDidStart.fire(startEvent); // fix https://github.com/Microsoft/vscode/issues/21675 var style = Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["o" /* createStyleSheet */])(this.el); var updateStyle = function () { var cursor = ''; if (isMultisashResize) { cursor = 'all-scroll'; } else if (_this.orientation === 1 /* HORIZONTAL */) { if (_this.state === 1 /* Minimum */) { cursor = 's-resize'; } else if (_this.state === 2 /* Maximum */) { cursor = 'n-resize'; } else { cursor = __WEBPACK_IMPORTED_MODULE_3__common_platform_js__["d" /* isMacintosh */] ? 'row-resize' : 'ns-resize'; } } else { if (_this.state === 1 /* Minimum */) { cursor = 'e-resize'; } else if (_this.state === 2 /* Maximum */) { cursor = 'w-resize'; } else { cursor = __WEBPACK_IMPORTED_MODULE_3__common_platform_js__["d" /* isMacintosh */] ? 'col-resize' : 'ew-resize'; } } style.innerHTML = "* { cursor: " + cursor + " !important; }"; }; var disposables = []; updateStyle(); if (!isMultisashResize) { this.onDidEnablementChange(updateStyle, null, disposables); } var onMouseMove = function (e) { __WEBPACK_IMPORTED_MODULE_8__dom_js__["b" /* EventHelper */].stop(e, false); var mouseMoveEvent = new __WEBPACK_IMPORTED_MODULE_6__mouseEvent_js__["a" /* StandardMouseEvent */](e); var event = { startX: startX, currentX: mouseMoveEvent.posx, startY: startY, currentY: mouseMoveEvent.posy, altKey: altKey }; _this._onDidChange.fire(event); }; var onMouseUp = function (e) { __WEBPACK_IMPORTED_MODULE_8__dom_js__["b" /* EventHelper */].stop(e, false); _this.el.removeChild(style); Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["D" /* removeClass */])(_this.el, 'active'); _this._onDidEnd.fire(); Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(disposables); var iframes = Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["t" /* getElementsByTagName */])('iframe'); for (var _i = 0, iframes_2 = iframes; _i < iframes_2.length; _i++) { var iframe = iframes_2[_i]; iframe.style.pointerEvents = 'auto'; } }; Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(window, 'mousemove')(onMouseMove, null, disposables); Object(__WEBPACK_IMPORTED_MODULE_9__event_js__["a" /* domEvent */])(window, 'mouseup')(onMouseUp, null, disposables); }; Sash.prototype.onMouseDoubleClick = function (event) { this._onDidReset.fire(); }; Sash.prototype.onTouchStart = function (event) { var _this = this; __WEBPACK_IMPORTED_MODULE_8__dom_js__["b" /* EventHelper */].stop(event); var listeners = []; var startX = event.pageX; var startY = event.pageY; var altKey = event.altKey; this._onDidStart.fire({ startX: startX, currentX: startX, startY: startY, currentY: startY, altKey: altKey }); listeners.push(Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["g" /* addDisposableListener */])(this.el, __WEBPACK_IMPORTED_MODULE_5__touch_js__["a" /* EventType */].Change, function (event) { if (__WEBPACK_IMPORTED_MODULE_4__common_types_js__["g" /* isNumber */](event.pageX) && __WEBPACK_IMPORTED_MODULE_4__common_types_js__["g" /* isNumber */](event.pageY)) { _this._onDidChange.fire({ startX: startX, currentX: event.pageX, startY: startY, currentY: event.pageY, altKey: altKey }); } })); listeners.push(Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["g" /* addDisposableListener */])(this.el, __WEBPACK_IMPORTED_MODULE_5__touch_js__["a" /* EventType */].End, function (event) { _this._onDidEnd.fire(); Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(listeners); })); }; Sash.prototype.layout = function () { var size = __WEBPACK_IMPORTED_MODULE_2__browser_js__["k" /* isIPad */] ? 20 : 4; if (this.orientation === 0 /* VERTICAL */) { var verticalProvider = this.layoutProvider; this.el.style.left = verticalProvider.getVerticalSashLeft(this) - (size / 2) + 'px'; if (verticalProvider.getVerticalSashTop) { this.el.style.top = verticalProvider.getVerticalSashTop(this) + 'px'; } if (verticalProvider.getVerticalSashHeight) { this.el.style.height = verticalProvider.getVerticalSashHeight(this) + 'px'; } } else { var horizontalProvider = this.layoutProvider; this.el.style.top = horizontalProvider.getHorizontalSashTop(this) - (size / 2) + 'px'; if (horizontalProvider.getHorizontalSashLeft) { this.el.style.left = horizontalProvider.getHorizontalSashLeft(this) + 'px'; } if (horizontalProvider.getHorizontalSashWidth) { this.el.style.width = horizontalProvider.getHorizontalSashWidth(this) + 'px'; } } }; Sash.prototype.hide = function () { this.hidden = true; this.el.style.display = 'none'; this.el.setAttribute('aria-hidden', 'true'); }; Sash.prototype.onOrthogonalStartSashEnablementChange = function (state) { Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(this.el, 'orthogonal-start', state !== 0 /* Disabled */); }; Sash.prototype.onOrthogonalEndSashEnablementChange = function (state) { Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(this.el, 'orthogonal-end', state !== 0 /* Disabled */); }; Sash.prototype.dispose = function () { _super.prototype.dispose.call(this); this.orthogonalStartSashDisposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.orthogonalStartSashDisposables); this.orthogonalEndSashDisposables = Object(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["d" /* dispose */])(this.orthogonalEndSashDisposables); if (this.el && this.el.parentElement) { this.el.parentElement.removeChild(this.el); } this.el = null; // StrictNullOverride: nulling out ok in dispose }; return Sash; }(__WEBPACK_IMPORTED_MODULE_1__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2028: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2029); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2029: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-sash{position:absolute;z-index:90;-ms-touch-action:none;touch-action:none}.monaco-sash.disabled{pointer-events:none}.monaco-sash.vertical{cursor:ew-resize;top:0;width:4px;height:100%}.monaco-sash.mac.vertical{cursor:col-resize}.monaco-sash.vertical.minimum{cursor:e-resize}.monaco-sash.vertical.maximum{cursor:w-resize}.monaco-sash.horizontal{cursor:ns-resize;left:0;width:100%;height:4px}.monaco-sash.mac.horizontal{cursor:row-resize}.monaco-sash.horizontal.minimum{cursor:s-resize}.monaco-sash.horizontal.maximum{cursor:n-resize}.monaco-sash:not(.disabled).orthogonal-end:after,.monaco-sash:not(.disabled).orthogonal-start:before{content:\" \";height:8px;width:8px;z-index:100;display:block;cursor:all-scroll;position:absolute}.monaco-sash.orthogonal-start.vertical:before{left:-2px;top:-4px}.monaco-sash.orthogonal-end.vertical:after{left:-2px;bottom:-4px}.monaco-sash.orthogonal-start.horizontal:before{top:-2px;left:-4px}.monaco-sash.orthogonal-end.horizontal:after{top:-2px;right:-4px}.monaco-sash.disabled{cursor:default!important}.monaco-sash.touch.vertical{width:20px}.monaco-sash.touch.horizontal{height:20px}.monaco-sash.debug:not(.disabled){background:cyan}.monaco-sash.debug:not(.disabled).orthogonal-end:after,.monaco-sash.debug:not(.disabled).orthogonal-start:before{background:red}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/sash/sash.css"],"names":[],"mappings":"AAKA,aACC,kBAAmB,AACnB,WAAY,AACZ,sBAAuB,AACnB,iBAAmB,CACvB,AAED,sBACC,mBAAqB,CACrB,AAED,sBACC,iBAAkB,AAClB,MAAO,AACP,UAAW,AACX,WAAa,CACb,AAED,0BACC,iBAAmB,CACnB,AAED,8BACC,eAAiB,CACjB,AAED,8BACC,eAAiB,CACjB,AAED,wBACC,iBAAkB,AAClB,OAAQ,AACR,WAAY,AACZ,UAAY,CACZ,AAED,4BACC,iBAAmB,CACnB,AAED,gCACC,eAAiB,CACjB,AAED,gCACC,eAAiB,CACjB,AAED,qGAEC,YAAa,AACb,WAAY,AACZ,UAAW,AACX,YAAa,AACb,cAAe,AACf,kBAAmB,AACnB,iBAAmB,CACnB,AAED,8CACC,UAAW,AACX,QAAU,CACV,AAED,2CACC,UAAW,AACX,WAAa,CACb,AAED,gDACC,SAAU,AACV,SAAW,CACX,AAED,6CACC,SAAU,AACV,UAAY,CACZ,AAED,sBACC,wBAA2B,CAC3B,AAID,4BACC,UAAY,CACZ,AAED,8BACC,WAAa,CACb,AAID,kCACC,eAAiB,CACjB,AAED,iHAEC,cAAgB,CAChB","file":"sash.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-sash {\n\tposition: absolute;\n\tz-index: 90;\n\t-ms-touch-action: none;\n\t touch-action: none;\n}\n\n.monaco-sash.disabled {\n\tpointer-events: none;\n}\n\n.monaco-sash.vertical {\n\tcursor: ew-resize;\n\ttop: 0;\n\twidth: 4px;\n\theight: 100%;\n}\n\n.monaco-sash.mac.vertical {\n\tcursor: col-resize;\n}\n\n.monaco-sash.vertical.minimum {\n\tcursor: e-resize;\n}\n\n.monaco-sash.vertical.maximum {\n\tcursor: w-resize;\n}\n\n.monaco-sash.horizontal {\n\tcursor: ns-resize;\n\tleft: 0;\n\twidth: 100%;\n\theight: 4px;\n}\n\n.monaco-sash.mac.horizontal {\n\tcursor: row-resize;\n}\n\n.monaco-sash.horizontal.minimum {\n\tcursor: s-resize;\n}\n\n.monaco-sash.horizontal.maximum {\n\tcursor: n-resize;\n}\n\n.monaco-sash:not(.disabled).orthogonal-start::before,\n.monaco-sash:not(.disabled).orthogonal-end::after {\n\tcontent: ' ';\n\theight: 8px;\n\twidth: 8px;\n\tz-index: 100;\n\tdisplay: block;\n\tcursor: all-scroll;\n\tposition: absolute;\n}\n\n.monaco-sash.orthogonal-start.vertical::before {\n\tleft: -2px;\n\ttop: -4px;\n}\n\n.monaco-sash.orthogonal-end.vertical::after {\n\tleft: -2px;\n\tbottom: -4px;\n}\n\n.monaco-sash.orthogonal-start.horizontal::before {\n\ttop: -2px;\n\tleft: -4px;\n}\n\n.monaco-sash.orthogonal-end.horizontal::after {\n\ttop: -2px;\n\tright: -4px;\n}\n\n.monaco-sash.disabled {\n\tcursor: default !important;\n}\n\n/** Touch **/\n\n.monaco-sash.touch.vertical {\n\twidth: 20px;\n}\n\n.monaco-sash.touch.horizontal {\n\theight: 20px;\n}\n\n/** Debug **/\n\n.monaco-sash.debug:not(.disabled) {\n\tbackground: cyan;\n}\n\n.monaco-sash.debug:not(.disabled).orthogonal-start::before,\n.monaco-sash.debug:not(.disabled).orthogonal-end::after {\n\tbackground: red;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2030: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export EditorState */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StableEditorScrollState; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__ = __webpack_require__(847); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var EditorState = /** @class */ (function () { function EditorState(editor, flags) { this.flags = flags; if ((this.flags & 1 /* Value */) !== 0) { var model = editor.getModel(); this.modelVersionId = model ? __WEBPACK_IMPORTED_MODULE_0__base_common_strings_js__["o" /* format */]('{0}#{1}', model.uri.toString(), model.getVersionId()) : null; } if ((this.flags & 4 /* Position */) !== 0) { this.position = editor.getPosition(); } if ((this.flags & 2 /* Selection */) !== 0) { this.selection = editor.getSelection(); } if ((this.flags & 8 /* Scroll */) !== 0) { this.scrollLeft = editor.getScrollLeft(); this.scrollTop = editor.getScrollTop(); } } EditorState.prototype._equals = function (other) { if (!(other instanceof EditorState)) { return false; } var state = other; if (this.modelVersionId !== state.modelVersionId) { return false; } if (this.scrollLeft !== state.scrollLeft || this.scrollTop !== state.scrollTop) { return false; } if (!this.position && state.position || this.position && !state.position || this.position && state.position && !this.position.equals(state.position)) { return false; } if (!this.selection && state.selection || this.selection && !state.selection || this.selection && state.selection && !this.selection.equalsRange(state.selection)) { return false; } return true; }; EditorState.prototype.validate = function (editor) { return this._equals(new EditorState(editor, this.flags)); }; return EditorState; }()); var StableEditorScrollState = /** @class */ (function () { function StableEditorScrollState(_visiblePosition, _visiblePositionScrollDelta) { this._visiblePosition = _visiblePosition; this._visiblePositionScrollDelta = _visiblePositionScrollDelta; } StableEditorScrollState.capture = function (editor) { var visiblePosition = null; var visiblePositionScrollDelta = 0; if (editor.getScrollTop() !== 0) { var visibleRanges = editor.getVisibleRanges(); if (visibleRanges.length > 0) { visiblePosition = visibleRanges[0].getStartPosition(); var visiblePositionScrollTop = editor.getTopForPosition(visiblePosition.lineNumber, visiblePosition.column); visiblePositionScrollDelta = editor.getScrollTop() - visiblePositionScrollTop; } } return new StableEditorScrollState(visiblePosition, visiblePositionScrollDelta); }; StableEditorScrollState.prototype.restore = function (editor) { if (this._visiblePosition) { var visiblePositionScrollTop = editor.getTopForPosition(this._visiblePosition.lineNumber, this._visiblePosition.column); editor.setScrollTop(visiblePositionScrollTop + this._visiblePositionScrollDelta); } }; return StableEditorScrollState; }()); /***/ }), /***/ 2031: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return DiffReview; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_diffReview_css__ = __webpack_require__(2032); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__media_diffReview_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__media_diffReview_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__ = __webpack_require__(957); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_browser_ui_actionbar_actionbar_js__ = __webpack_require__(1715); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_browser_ui_scrollbar_scrollableElement_js__ = __webpack_require__(1452); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__base_common_actions_js__ = __webpack_require__(1396); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__config_configuration_js__ = __webpack_require__(1305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__ = __webpack_require__(1573); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__services_codeEditorService_js__ = __webpack_require__(1289); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_core_lineTokens_js__ = __webpack_require__(1445); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__ = __webpack_require__(854); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__common_viewLayout_viewLineRenderer_js__ = __webpack_require__(1446); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__common_viewModel_viewModel_js__ = __webpack_require__(1328); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__platform_contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var DIFF_LINES_PADDING = 3; var DiffEntry = /** @class */ (function () { function DiffEntry(originalLineStart, originalLineEnd, modifiedLineStart, modifiedLineEnd) { this.originalLineStart = originalLineStart; this.originalLineEnd = originalLineEnd; this.modifiedLineStart = modifiedLineStart; this.modifiedLineEnd = modifiedLineEnd; } DiffEntry.prototype.getType = function () { if (this.originalLineStart === 0) { return 1 /* Insert */; } if (this.modifiedLineStart === 0) { return 2 /* Delete */; } return 0 /* Equal */; }; return DiffEntry; }()); var Diff = /** @class */ (function () { function Diff(entries) { this.entries = entries; } return Diff; }()); var DiffReview = /** @class */ (function (_super) { __extends(DiffReview, _super); function DiffReview(diffEditor) { var _this = _super.call(this) || this; _this._width = 0; _this._diffEditor = diffEditor; _this._isVisible = false; _this.shadow = Object(__WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.shadow.setClassName('diff-review-shadow'); _this.actionBarContainer = Object(__WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.actionBarContainer.setClassName('diff-review-actions'); _this._actionBar = _this._register(new __WEBPACK_IMPORTED_MODULE_4__base_browser_ui_actionbar_actionbar_js__["a" /* ActionBar */](_this.actionBarContainer.domNode)); _this._actionBar.push(new __WEBPACK_IMPORTED_MODULE_6__base_common_actions_js__["a" /* Action */]('diffreview.close', __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('label.close', "Close"), 'close-diff-review', true, function () { _this.hide(); return Promise.resolve(null); }), { label: false, icon: true }); _this.domNode = Object(__WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this.domNode.setClassName('diff-review monaco-editor-background'); _this._content = Object(__WEBPACK_IMPORTED_MODULE_3__base_browser_fastDomNode_js__["b" /* createFastDomNode */])(document.createElement('div')); _this._content.setClassName('diff-review-content'); _this.scrollbar = _this._register(new __WEBPACK_IMPORTED_MODULE_5__base_browser_ui_scrollbar_scrollableElement_js__["a" /* DomScrollableElement */](_this._content.domNode, {})); _this.domNode.domNode.appendChild(_this.scrollbar.getDomNode()); _this._register(diffEditor.onDidUpdateDiff(function () { if (!_this._isVisible) { return; } _this._diffs = _this._compute(); _this._render(); })); _this._register(diffEditor.getModifiedEditor().onDidChangeCursorPosition(function () { if (!_this._isVisible) { return; } _this._render(); })); _this._register(diffEditor.getOriginalEditor().onDidFocusEditorWidget(function () { if (_this._isVisible) { _this.hide(); } })); _this._register(diffEditor.getModifiedEditor().onDidFocusEditorWidget(function () { if (_this._isVisible) { _this.hide(); } })); _this._register(__WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["j" /* addStandardDisposableListener */](_this.domNode.domNode, 'click', function (e) { e.preventDefault(); var row = __WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["p" /* findParentWithClass */](e.target, 'diff-review-row'); if (row) { _this._goToRow(row); } })); _this._register(__WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["j" /* addStandardDisposableListener */](_this.domNode.domNode, 'keydown', function (e) { if (e.equals(18 /* DownArrow */) || e.equals(2048 /* CtrlCmd */ | 18 /* DownArrow */) || e.equals(512 /* Alt */ | 18 /* DownArrow */)) { e.preventDefault(); _this._goToRow(_this._getNextRow()); } if (e.equals(16 /* UpArrow */) || e.equals(2048 /* CtrlCmd */ | 16 /* UpArrow */) || e.equals(512 /* Alt */ | 16 /* UpArrow */)) { e.preventDefault(); _this._goToRow(_this._getPrevRow()); } if (e.equals(9 /* Escape */) || e.equals(2048 /* CtrlCmd */ | 9 /* Escape */) || e.equals(512 /* Alt */ | 9 /* Escape */) || e.equals(1024 /* Shift */ | 9 /* Escape */)) { e.preventDefault(); _this.hide(); } if (e.equals(10 /* Space */) || e.equals(3 /* Enter */)) { e.preventDefault(); _this.accept(); } })); _this._diffs = []; _this._currentDiff = null; return _this; } DiffReview.prototype.prev = function () { var index = 0; if (!this._isVisible) { this._diffs = this._compute(); } if (this._isVisible) { var currentIndex = -1; for (var i = 0, len = this._diffs.length; i < len; i++) { if (this._diffs[i] === this._currentDiff) { currentIndex = i; break; } } index = (this._diffs.length + currentIndex - 1); } else { index = this._findDiffIndex(this._diffEditor.getPosition()); } if (this._diffs.length === 0) { // Nothing to do return; } index = index % this._diffs.length; this._diffEditor.setPosition(new __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__["a" /* Position */](this._diffs[index].entries[0].modifiedLineStart, 1)); this._isVisible = true; this._diffEditor.doLayout(); this._render(); this._goToRow(this._getNextRow()); }; DiffReview.prototype.next = function () { var index = 0; if (!this._isVisible) { this._diffs = this._compute(); } if (this._isVisible) { var currentIndex = -1; for (var i = 0, len = this._diffs.length; i < len; i++) { if (this._diffs[i] === this._currentDiff) { currentIndex = i; break; } } index = (currentIndex + 1); } else { index = this._findDiffIndex(this._diffEditor.getPosition()); } if (this._diffs.length === 0) { // Nothing to do return; } index = index % this._diffs.length; this._diffEditor.setPosition(new __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__["a" /* Position */](this._diffs[index].entries[0].modifiedLineStart, 1)); this._isVisible = true; this._diffEditor.doLayout(); this._render(); this._goToRow(this._getNextRow()); }; DiffReview.prototype.accept = function () { var jumpToLineNumber = -1; var current = this._getCurrentFocusedRow(); if (current) { var lineNumber = parseInt(current.getAttribute('data-line'), 10); if (!isNaN(lineNumber)) { jumpToLineNumber = lineNumber; } } this.hide(); if (jumpToLineNumber !== -1) { this._diffEditor.setPosition(new __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__["a" /* Position */](jumpToLineNumber, 1)); this._diffEditor.revealPosition(new __WEBPACK_IMPORTED_MODULE_12__common_core_position_js__["a" /* Position */](jumpToLineNumber, 1), 1 /* Immediate */); } }; DiffReview.prototype.hide = function () { this._isVisible = false; this._diffEditor.focus(); this._diffEditor.doLayout(); this._render(); }; DiffReview.prototype._getPrevRow = function () { var current = this._getCurrentFocusedRow(); if (!current) { return this._getFirstRow(); } if (current.previousElementSibling) { return current.previousElementSibling; } return current; }; DiffReview.prototype._getNextRow = function () { var current = this._getCurrentFocusedRow(); if (!current) { return this._getFirstRow(); } if (current.nextElementSibling) { return current.nextElementSibling; } return current; }; DiffReview.prototype._getFirstRow = function () { return this.domNode.domNode.querySelector('.diff-review-row'); }; DiffReview.prototype._getCurrentFocusedRow = function () { var result = document.activeElement; if (result && /diff-review-row/.test(result.className)) { return result; } return null; }; DiffReview.prototype._goToRow = function (row) { var prev = this._getCurrentFocusedRow(); row.tabIndex = 0; row.focus(); if (prev && prev !== row) { prev.tabIndex = -1; } this.scrollbar.scanDomNode(); }; DiffReview.prototype.isVisible = function () { return this._isVisible; }; DiffReview.prototype.layout = function (top, width, height) { this._width = width; this.shadow.setTop(top - 6); this.shadow.setWidth(width); this.shadow.setHeight(this._isVisible ? 6 : 0); this.domNode.setTop(top); this.domNode.setWidth(width); this.domNode.setHeight(height); this._content.setHeight(height); this._content.setWidth(width); if (this._isVisible) { this.actionBarContainer.setAttribute('aria-hidden', 'false'); this.actionBarContainer.setDisplay('block'); } else { this.actionBarContainer.setAttribute('aria-hidden', 'true'); this.actionBarContainer.setDisplay('none'); } }; DiffReview.prototype._compute = function () { var lineChanges = this._diffEditor.getLineChanges(); if (!lineChanges || lineChanges.length === 0) { return []; } var originalModel = this._diffEditor.getOriginalEditor().getModel(); var modifiedModel = this._diffEditor.getModifiedEditor().getModel(); if (!originalModel || !modifiedModel) { return []; } return DiffReview._mergeAdjacent(lineChanges, originalModel.getLineCount(), modifiedModel.getLineCount()); }; DiffReview._mergeAdjacent = function (lineChanges, originalLineCount, modifiedLineCount) { if (!lineChanges || lineChanges.length === 0) { return []; } var diffs = [], diffsLength = 0; for (var i = 0, len = lineChanges.length; i < len; i++) { var lineChange = lineChanges[i]; var originalStart = lineChange.originalStartLineNumber; var originalEnd = lineChange.originalEndLineNumber; var modifiedStart = lineChange.modifiedStartLineNumber; var modifiedEnd = lineChange.modifiedEndLineNumber; var r_1 = [], rLength_1 = 0; // Emit before anchors { var originalEqualAbove = (originalEnd === 0 ? originalStart : originalStart - 1); var modifiedEqualAbove = (modifiedEnd === 0 ? modifiedStart : modifiedStart - 1); // Make sure we don't step into the previous diff var minOriginal = 1; var minModified = 1; if (i > 0) { var prevLineChange = lineChanges[i - 1]; if (prevLineChange.originalEndLineNumber === 0) { minOriginal = prevLineChange.originalStartLineNumber + 1; } else { minOriginal = prevLineChange.originalEndLineNumber + 1; } if (prevLineChange.modifiedEndLineNumber === 0) { minModified = prevLineChange.modifiedStartLineNumber + 1; } else { minModified = prevLineChange.modifiedEndLineNumber + 1; } } var fromOriginal = originalEqualAbove - DIFF_LINES_PADDING + 1; var fromModified = modifiedEqualAbove - DIFF_LINES_PADDING + 1; if (fromOriginal < minOriginal) { var delta = minOriginal - fromOriginal; fromOriginal = fromOriginal + delta; fromModified = fromModified + delta; } if (fromModified < minModified) { var delta = minModified - fromModified; fromOriginal = fromOriginal + delta; fromModified = fromModified + delta; } r_1[rLength_1++] = new DiffEntry(fromOriginal, originalEqualAbove, fromModified, modifiedEqualAbove); } // Emit deleted lines { if (originalEnd !== 0) { r_1[rLength_1++] = new DiffEntry(originalStart, originalEnd, 0, 0); } } // Emit inserted lines { if (modifiedEnd !== 0) { r_1[rLength_1++] = new DiffEntry(0, 0, modifiedStart, modifiedEnd); } } // Emit after anchors { var originalEqualBelow = (originalEnd === 0 ? originalStart + 1 : originalEnd + 1); var modifiedEqualBelow = (modifiedEnd === 0 ? modifiedStart + 1 : modifiedEnd + 1); // Make sure we don't step into the next diff var maxOriginal = originalLineCount; var maxModified = modifiedLineCount; if (i + 1 < len) { var nextLineChange = lineChanges[i + 1]; if (nextLineChange.originalEndLineNumber === 0) { maxOriginal = nextLineChange.originalStartLineNumber; } else { maxOriginal = nextLineChange.originalStartLineNumber - 1; } if (nextLineChange.modifiedEndLineNumber === 0) { maxModified = nextLineChange.modifiedStartLineNumber; } else { maxModified = nextLineChange.modifiedStartLineNumber - 1; } } var toOriginal = originalEqualBelow + DIFF_LINES_PADDING - 1; var toModified = modifiedEqualBelow + DIFF_LINES_PADDING - 1; if (toOriginal > maxOriginal) { var delta = maxOriginal - toOriginal; toOriginal = toOriginal + delta; toModified = toModified + delta; } if (toModified > maxModified) { var delta = maxModified - toModified; toOriginal = toOriginal + delta; toModified = toModified + delta; } r_1[rLength_1++] = new DiffEntry(originalEqualBelow, toOriginal, modifiedEqualBelow, toModified); } diffs[diffsLength++] = new Diff(r_1); } // Merge adjacent diffs var curr = diffs[0].entries; var r = [], rLength = 0; for (var i = 1, len = diffs.length; i < len; i++) { var thisDiff = diffs[i].entries; var currLast = curr[curr.length - 1]; var thisFirst = thisDiff[0]; if (currLast.getType() === 0 /* Equal */ && thisFirst.getType() === 0 /* Equal */ && thisFirst.originalLineStart <= currLast.originalLineEnd) { // We are dealing with equal lines that overlap curr[curr.length - 1] = new DiffEntry(currLast.originalLineStart, thisFirst.originalLineEnd, currLast.modifiedLineStart, thisFirst.modifiedLineEnd); curr = curr.concat(thisDiff.slice(1)); continue; } r[rLength++] = new Diff(curr); curr = thisDiff; } r[rLength++] = new Diff(curr); return r; }; DiffReview.prototype._findDiffIndex = function (pos) { var lineNumber = pos.lineNumber; for (var i = 0, len = this._diffs.length; i < len; i++) { var diff = this._diffs[i].entries; var lastModifiedLine = diff[diff.length - 1].modifiedLineEnd; if (lineNumber <= lastModifiedLine) { return i; } } return 0; }; DiffReview.prototype._render = function () { var originalOpts = this._diffEditor.getOriginalEditor().getConfiguration(); var modifiedOpts = this._diffEditor.getModifiedEditor().getConfiguration(); var originalModel = this._diffEditor.getOriginalEditor().getModel(); var modifiedModel = this._diffEditor.getModifiedEditor().getModel(); var originalModelOpts = originalModel.getOptions(); var modifiedModelOpts = modifiedModel.getOptions(); if (!this._isVisible || !originalModel || !modifiedModel) { __WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["m" /* clearNode */](this._content.domNode); this._currentDiff = null; this.scrollbar.scanDomNode(); return; } var diffIndex = this._findDiffIndex(this._diffEditor.getPosition()); if (this._diffs[diffIndex] === this._currentDiff) { return; } this._currentDiff = this._diffs[diffIndex]; var diffs = this._diffs[diffIndex].entries; var container = document.createElement('div'); container.className = 'diff-review-table'; container.setAttribute('role', 'list'); __WEBPACK_IMPORTED_MODULE_8__config_configuration_js__["a" /* Configuration */].applyFontInfoSlow(container, modifiedOpts.fontInfo); var minOriginalLine = 0; var maxOriginalLine = 0; var minModifiedLine = 0; var maxModifiedLine = 0; for (var i = 0, len = diffs.length; i < len; i++) { var diffEntry = diffs[i]; var originalLineStart = diffEntry.originalLineStart; var originalLineEnd = diffEntry.originalLineEnd; var modifiedLineStart = diffEntry.modifiedLineStart; var modifiedLineEnd = diffEntry.modifiedLineEnd; if (originalLineStart !== 0 && ((minOriginalLine === 0 || originalLineStart < minOriginalLine))) { minOriginalLine = originalLineStart; } if (originalLineEnd !== 0 && ((maxOriginalLine === 0 || originalLineEnd > maxOriginalLine))) { maxOriginalLine = originalLineEnd; } if (modifiedLineStart !== 0 && ((minModifiedLine === 0 || modifiedLineStart < minModifiedLine))) { minModifiedLine = modifiedLineStart; } if (modifiedLineEnd !== 0 && ((maxModifiedLine === 0 || modifiedLineEnd > maxModifiedLine))) { maxModifiedLine = modifiedLineEnd; } } var header = document.createElement('div'); header.className = 'diff-review-row'; var cell = document.createElement('div'); cell.className = 'diff-review-cell diff-review-summary'; var originalChangedLinesCnt = maxOriginalLine - minOriginalLine + 1; var modifiedChangedLinesCnt = maxModifiedLine - minModifiedLine + 1; cell.appendChild(document.createTextNode(diffIndex + 1 + "/" + this._diffs.length + ": @@ -" + minOriginalLine + "," + originalChangedLinesCnt + " +" + minModifiedLine + "," + modifiedChangedLinesCnt + " @@")); header.setAttribute('data-line', String(minModifiedLine)); var getAriaLines = function (lines) { if (lines === 0) { return __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('no_lines', "no lines"); } else if (lines === 1) { return __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('one_line', "1 line"); } else { return __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('more_lines', "{0} lines", lines); } }; var originalChangedLinesCntAria = getAriaLines(originalChangedLinesCnt); var modifiedChangedLinesCntAria = getAriaLines(modifiedChangedLinesCnt); header.setAttribute('aria-label', __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]({ key: 'header', comment: [ 'This is the ARIA label for a git diff header.', 'A git diff header looks like this: @@ -154,12 +159,39 @@.', 'That encodes that at original line 154 (which is now line 159), 12 lines were removed/changed with 39 lines.', 'Variables 0 and 1 refer to the diff index out of total number of diffs.', 'Variables 2 and 4 will be numbers (a line number).', 'Variables 3 and 5 will be "no lines", "1 line" or "X lines", localized separately.' ] }, "Difference {0} of {1}: original {2}, {3}, modified {4}, {5}", (diffIndex + 1), this._diffs.length, minOriginalLine, originalChangedLinesCntAria, minModifiedLine, modifiedChangedLinesCntAria)); header.appendChild(cell); // @@ -504,7 +517,7 @@ header.setAttribute('role', 'listitem'); container.appendChild(header); var modLine = minModifiedLine; for (var i = 0, len = diffs.length; i < len; i++) { var diffEntry = diffs[i]; DiffReview._renderSection(container, diffEntry, modLine, this._width, originalOpts, originalModel, originalModelOpts, modifiedOpts, modifiedModel, modifiedModelOpts); if (diffEntry.modifiedLineStart !== 0) { modLine = diffEntry.modifiedLineEnd; } } __WEBPACK_IMPORTED_MODULE_2__base_browser_dom_js__["m" /* clearNode */](this._content.domNode); this._content.domNode.appendChild(container); this.scrollbar.scanDomNode(); }; DiffReview._renderSection = function (dest, diffEntry, modLine, width, originalOpts, originalModel, originalModelOpts, modifiedOpts, modifiedModel, modifiedModelOpts) { var type = diffEntry.getType(); var rowClassName = 'diff-review-row'; var lineNumbersExtraClassName = ''; var spacerClassName = 'diff-review-spacer'; switch (type) { case 1 /* Insert */: rowClassName = 'diff-review-row line-insert'; lineNumbersExtraClassName = ' char-insert'; spacerClassName = 'diff-review-spacer insert-sign'; break; case 2 /* Delete */: rowClassName = 'diff-review-row line-delete'; lineNumbersExtraClassName = ' char-delete'; spacerClassName = 'diff-review-spacer delete-sign'; break; } var originalLineStart = diffEntry.originalLineStart; var originalLineEnd = diffEntry.originalLineEnd; var modifiedLineStart = diffEntry.modifiedLineStart; var modifiedLineEnd = diffEntry.modifiedLineEnd; var cnt = Math.max(modifiedLineEnd - modifiedLineStart, originalLineEnd - originalLineStart); var originalLineNumbersWidth = originalOpts.layoutInfo.glyphMarginWidth + originalOpts.layoutInfo.lineNumbersWidth; var modifiedLineNumbersWidth = 10 + modifiedOpts.layoutInfo.glyphMarginWidth + modifiedOpts.layoutInfo.lineNumbersWidth; for (var i = 0; i <= cnt; i++) { var originalLine = (originalLineStart === 0 ? 0 : originalLineStart + i); var modifiedLine = (modifiedLineStart === 0 ? 0 : modifiedLineStart + i); var row = document.createElement('div'); row.style.minWidth = width + 'px'; row.className = rowClassName; row.setAttribute('role', 'listitem'); if (modifiedLine !== 0) { modLine = modifiedLine; } row.setAttribute('data-line', String(modLine)); var cell = document.createElement('div'); cell.className = 'diff-review-cell'; row.appendChild(cell); var originalLineNumber = document.createElement('span'); originalLineNumber.style.width = (originalLineNumbersWidth + 'px'); originalLineNumber.style.minWidth = (originalLineNumbersWidth + 'px'); originalLineNumber.className = 'diff-review-line-number' + lineNumbersExtraClassName; if (originalLine !== 0) { originalLineNumber.appendChild(document.createTextNode(String(originalLine))); } else { originalLineNumber.innerHTML = ' '; } cell.appendChild(originalLineNumber); var modifiedLineNumber = document.createElement('span'); modifiedLineNumber.style.width = (modifiedLineNumbersWidth + 'px'); modifiedLineNumber.style.minWidth = (modifiedLineNumbersWidth + 'px'); modifiedLineNumber.style.paddingRight = '10px'; modifiedLineNumber.className = 'diff-review-line-number' + lineNumbersExtraClassName; if (modifiedLine !== 0) { modifiedLineNumber.appendChild(document.createTextNode(String(modifiedLine))); } else { modifiedLineNumber.innerHTML = ' '; } cell.appendChild(modifiedLineNumber); var spacer = document.createElement('span'); spacer.className = spacerClassName; spacer.innerHTML = ' '; cell.appendChild(spacer); var lineContent = void 0; if (modifiedLine !== 0) { cell.insertAdjacentHTML('beforeend', this._renderLine(modifiedModel, modifiedOpts, modifiedModelOpts.tabSize, modifiedLine)); lineContent = modifiedModel.getLineContent(modifiedLine); } else { cell.insertAdjacentHTML('beforeend', this._renderLine(originalModel, originalOpts, originalModelOpts.tabSize, originalLine)); lineContent = originalModel.getLineContent(originalLine); } if (lineContent.length === 0) { lineContent = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('blankLine', "blank"); } var ariaLabel = ''; switch (type) { case 0 /* Equal */: ariaLabel = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('equalLine', "original {0}, modified {1}: {2}", originalLine, modifiedLine, lineContent); break; case 1 /* Insert */: ariaLabel = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('insertLine', "+ modified {0}: {1}", modifiedLine, lineContent); break; case 2 /* Delete */: ariaLabel = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('deleteLine', "- original {0}: {1}", originalLine, lineContent); break; } row.setAttribute('aria-label', ariaLabel); dest.appendChild(row); } }; DiffReview._renderLine = function (model, config, tabSize, lineNumber) { var lineContent = model.getLineContent(lineNumber); var defaultMetadata = ((0 /* None */ << 11 /* FONT_STYLE_OFFSET */) | (1 /* DefaultForeground */ << 14 /* FOREGROUND_OFFSET */) | (2 /* DefaultBackground */ << 23 /* BACKGROUND_OFFSET */)) >>> 0; var tokens = new Uint32Array(2); tokens[0] = lineContent.length; tokens[1] = defaultMetadata; var lineTokens = new __WEBPACK_IMPORTED_MODULE_11__common_core_lineTokens_js__["a" /* LineTokens */](tokens, lineContent); var isBasicASCII = __WEBPACK_IMPORTED_MODULE_15__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].isBasicASCII(lineContent, model.mightContainNonBasicASCII()); var containsRTL = __WEBPACK_IMPORTED_MODULE_15__common_viewModel_viewModel_js__["d" /* ViewLineRenderingData */].containsRTL(lineContent, isBasicASCII, model.mightContainRTL()); var r = Object(__WEBPACK_IMPORTED_MODULE_14__common_viewLayout_viewLineRenderer_js__["d" /* renderViewLine2 */])(new __WEBPACK_IMPORTED_MODULE_14__common_viewLayout_viewLineRenderer_js__["b" /* RenderLineInput */]((config.fontInfo.isMonospace && !config.viewInfo.disableMonospaceOptimizations), config.fontInfo.canUseHalfwidthRightwardsArrow, lineContent, false, isBasicASCII, containsRTL, 0, lineTokens, [], tabSize, config.fontInfo.spaceWidth, config.viewInfo.stopRenderingLineAfter, config.viewInfo.renderWhitespace, config.viewInfo.renderControlCharacters, config.viewInfo.fontLigatures)); return r.html; }; return DiffReview; }(__WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__["a" /* Disposable */])); // theming Object(__WEBPACK_IMPORTED_MODULE_18__platform_theme_common_themeService_js__["e" /* registerThemingParticipant */])(function (theme, collector) { var lineNumbers = theme.getColor(__WEBPACK_IMPORTED_MODULE_13__common_view_editorColorRegistry_js__["n" /* editorLineNumbers */]); if (lineNumbers) { collector.addRule(".monaco-diff-editor .diff-review-line-number { color: " + lineNumbers + "; }"); } var shadow = theme.getColor(__WEBPACK_IMPORTED_MODULE_17__platform_theme_common_colorRegistry_js__["_4" /* scrollbarShadow */]); if (shadow) { collector.addRule(".monaco-diff-editor .diff-review-shadow { box-shadow: " + shadow + " 0 -6px 6px -6px inset; }"); } }); var DiffReviewNext = /** @class */ (function (_super) { __extends(DiffReviewNext, _super); function DiffReviewNext() { return _super.call(this, { id: 'editor.action.diffReview.next', label: __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('editor.action.diffReview.next', "Go to Next Difference"), alias: 'Go to Next Difference', precondition: __WEBPACK_IMPORTED_MODULE_16__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].has('isInDiffEditor'), kbOpts: { kbExpr: null, primary: 65 /* F7 */, weight: 100 /* EditorContrib */ } }) || this; } DiffReviewNext.prototype.run = function (accessor, editor) { var diffEditor = findFocusedDiffEditor(accessor); if (diffEditor) { diffEditor.diffReviewNext(); } }; return DiffReviewNext; }(__WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["b" /* EditorAction */])); var DiffReviewPrev = /** @class */ (function (_super) { __extends(DiffReviewPrev, _super); function DiffReviewPrev() { return _super.call(this, { id: 'editor.action.diffReview.prev', label: __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]('editor.action.diffReview.prev', "Go to Previous Difference"), alias: 'Go to Previous Difference', precondition: __WEBPACK_IMPORTED_MODULE_16__platform_contextkey_common_contextkey_js__["b" /* ContextKeyExpr */].has('isInDiffEditor'), kbOpts: { kbExpr: null, primary: 1024 /* Shift */ | 65 /* F7 */, weight: 100 /* EditorContrib */ } }) || this; } DiffReviewPrev.prototype.run = function (accessor, editor) { var diffEditor = findFocusedDiffEditor(accessor); if (diffEditor) { diffEditor.diffReviewPrev(); } }; return DiffReviewPrev; }(__WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["b" /* EditorAction */])); function findFocusedDiffEditor(accessor) { var codeEditorService = accessor.get(__WEBPACK_IMPORTED_MODULE_10__services_codeEditorService_js__["a" /* ICodeEditorService */]); var diffEditors = codeEditorService.listDiffEditors(); for (var i = 0, len = diffEditors.length; i < len; i++) { var diffEditor = diffEditors[i]; if (diffEditor.hasWidgetFocus()) { return diffEditor; } } return null; } Object(__WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["e" /* registerEditorAction */])(DiffReviewNext); Object(__WEBPACK_IMPORTED_MODULE_9__editorExtensions_js__["e" /* registerEditorAction */])(DiffReviewPrev); /***/ }), /***/ 2032: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2033); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2033: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-diff-editor .diff-review-line-number{text-align:right;display:inline-block}.monaco-diff-editor .diff-review{position:absolute;-webkit-user-select:none;-ms-user-select:none;-moz-user-select:none;-o-user-select:none;user-select:none}.monaco-diff-editor .diff-review-summary{padding-left:10px}.monaco-diff-editor .diff-review-shadow{position:absolute}.monaco-diff-editor .diff-review-row{white-space:pre}.monaco-diff-editor .diff-review-table{display:table;min-width:100%}.monaco-diff-editor .diff-review-row{display:table-row;width:100%}.monaco-diff-editor .diff-review-cell{display:table-cell}.monaco-diff-editor .diff-review-spacer{display:inline-block;width:10px}.monaco-diff-editor .diff-review-actions{display:inline-block;position:absolute;right:10px;top:2px}.monaco-diff-editor .diff-review-actions .action-label{width:16px;height:16px;margin:2px 0}.monaco-diff-editor .action-label.icon.close-diff-review{background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iIzQyNDI0MiIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\") 50% no-repeat}.monaco-diff-editor.hc-black .action-label.icon.close-diff-review,.monaco-diff-editor.vs-dark .action-label.icon.close-diff-review{background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iI2U4ZThlOCIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\") 50% no-repeat}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/editor/browser/widget/media/diffReview.css"],"names":[],"mappings":"AAKA,6CACC,iBAAkB,AAClB,oBAAsB,CACtB,AAED,iCACC,kBAAmB,AACnB,yBAA0B,AAC1B,qBAAsB,AACtB,sBAAuB,AACvB,oBAAqB,AACrB,gBAAkB,CAClB,AAED,yCACC,iBAAmB,CACnB,AAED,wCACC,iBAAmB,CACnB,AAED,qCACC,eAAiB,CACjB,AAED,uCACC,cAAe,AACf,cAAgB,CAChB,AAED,qCACC,kBAAmB,AACnB,UAAY,CACZ,AAED,sCACC,kBAAoB,CACpB,AAED,wCACC,qBAAsB,AACtB,UAAY,CACZ,AAED,yCACC,qBAAsB,AACtB,kBAAmB,AACnB,WAAY,AACZ,OAAS,CACT,AAED,uDACC,WAAY,AACZ,YAAa,AACb,YAAc,CACd,AACD,yDACC,sdAAke,CACle,AACD,mIAEC,sdAAke,CACle","file":"diffReview.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-diff-editor .diff-review-line-number {\n\ttext-align: right;\n\tdisplay: inline-block;\n}\n\n.monaco-diff-editor .diff-review {\n\tposition: absolute;\n\t-webkit-user-select: none;\n\t-ms-user-select: none;\n\t-moz-user-select: none;\n\t-o-user-select: none;\n\tuser-select: none;\n}\n\n.monaco-diff-editor .diff-review-summary {\n\tpadding-left: 10px;\n}\n\n.monaco-diff-editor .diff-review-shadow {\n\tposition: absolute;\n}\n\n.monaco-diff-editor .diff-review-row {\n\twhite-space: pre;\n}\n\n.monaco-diff-editor .diff-review-table {\n\tdisplay: table;\n\tmin-width: 100%;\n}\n\n.monaco-diff-editor .diff-review-row {\n\tdisplay: table-row;\n\twidth: 100%;\n}\n\n.monaco-diff-editor .diff-review-cell {\n\tdisplay: table-cell;\n}\n\n.monaco-diff-editor .diff-review-spacer {\n\tdisplay: inline-block;\n\twidth: 10px;\n}\n\n.monaco-diff-editor .diff-review-actions {\n\tdisplay: inline-block;\n\tposition: absolute;\n\tright: 10px;\n\ttop: 2px;\n}\n\n.monaco-diff-editor .diff-review-actions .action-label {\n\twidth: 16px;\n\theight: 16px;\n\tmargin: 2px 0;\n}\n.monaco-diff-editor .action-label.icon.close-diff-review {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iIzQyNDI0MiIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\") center center no-repeat;\n}\n.monaco-diff-editor.hc-black .action-label.icon.close-diff-review,\n.monaco-diff-editor.vs-dark .action-label.icon.close-diff-review {\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iI2U4ZThlOCIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\") center center no-repeat;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2034: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2035); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2035: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-action-bar{text-align:right;overflow:hidden;white-space:nowrap}.monaco-action-bar .actions-container{display:-ms-flexbox;display:flex;margin:0 auto;padding:0;width:100%;-ms-flex-pack:end;justify-content:flex-end}.monaco-action-bar.vertical .actions-container{display:inline-block}.monaco-action-bar.reverse .actions-container{-ms-flex-direction:row-reverse;flex-direction:row-reverse}.monaco-action-bar .action-item{cursor:pointer;display:inline-block;-webkit-transition:-webkit-transform 50ms ease;transition:-webkit-transform 50ms ease;-o-transition:transform 50ms ease;transition:transform 50ms ease;transition:transform 50ms ease,-webkit-transform 50ms ease;position:relative}.monaco-action-bar .action-item.disabled{cursor:default}.monaco-action-bar.animated .action-item.active{-webkit-transform:scale(1.272019649);-ms-transform:scale(1.272019649);transform:scale(1.272019649)}.monaco-action-bar .action-item .icon{display:inline-block}.monaco-action-bar .action-label{font-size:11px;margin-right:4px}.monaco-action-bar .action-label.octicon{font-size:15px;line-height:35px;text-align:center}.monaco-action-bar .action-item.disabled .action-label,.monaco-action-bar .action-item.disabled .action-label:hover{opacity:.4}.monaco-action-bar.vertical{text-align:left}.monaco-action-bar.vertical .action-item{display:block}.monaco-action-bar.vertical .action-label.separator{display:block;border-bottom:1px solid #bbb;padding-top:1px;margin-left:.8em;margin-right:.8em}.monaco-action-bar.animated.vertical .action-item.active{-webkit-transform:translate(5px);-ms-transform:translate(5px);transform:translate(5px)}.secondary-actions .monaco-action-bar .action-label{margin-left:6px}.monaco-action-bar .action-item.select-container{overflow:hidden;-ms-flex:1 1;flex:1 1;max-width:170px;min-width:60px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-pack:center;justify-content:center}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/actionbar/actionbar.css"],"names":[],"mappings":"AAKA,mBACC,iBAAkB,AAClB,gBAAiB,AACjB,kBAAoB,CACpB,AAED,sCACC,oBAAqB,AACrB,aAAc,AACd,cAAe,AACf,UAAW,AACX,WAAY,AACZ,kBAAmB,AACf,wBAA0B,CAC9B,AAED,+CACC,oBAAsB,CACtB,AAED,8CACC,+BAAgC,AAC5B,0BAA4B,CAChC,AAED,gCACC,eAAgB,AAChB,qBAAsB,AACtB,+CAAgD,AAChD,uCAAwC,AACxC,kCAAmC,AACnC,+BAAgC,AAChC,2DAA6D,AAC7D,iBAAmB,CACnB,AAED,yCACC,cAAgB,CAChB,AAED,gDACC,qCAAmD,AAC/C,iCAA+C,AAC3C,4BAA2C,CACnD,AAED,sCACC,oBAAsB,CACtB,AAED,iCACC,eAAgB,AAChB,gBAAkB,CAClB,AAED,yCACC,eAAgB,AAChB,iBAAkB,AAClB,iBAAmB,CACnB,AAED,oHAEC,UAAa,CACb,AAID,4BACC,eAAiB,CACjB,AAED,yCACC,aAAe,CACf,AAED,oDACC,cAAe,AACf,6BAA8B,AAC9B,gBAAiB,AACjB,iBAAkB,AAClB,iBAAmB,CACnB,AAED,yDACC,iCAAqC,AACjC,6BAAiC,AAC7B,wBAA6B,CACrC,AAED,oDACC,eAAiB,CACjB,AAGD,iDACC,gBAAiB,AACjB,aAAc,AACV,SAAU,AACd,gBAAiB,AACjB,eAAgB,AAChB,oBAAqB,AACrB,aAAc,AACd,sBAAuB,AACnB,mBAAoB,AACxB,qBAAsB,AAClB,sBAAwB,CAC5B","file":"actionbar.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-action-bar {\n\ttext-align: right;\n\toverflow: hidden;\n\twhite-space: nowrap;\n}\n\n.monaco-action-bar .actions-container {\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\tmargin: 0 auto;\n\tpadding: 0;\n\twidth: 100%;\n\t-ms-flex-pack: end;\n\t justify-content: flex-end;\n}\n\n.monaco-action-bar.vertical .actions-container {\n\tdisplay: inline-block;\n}\n\n.monaco-action-bar.reverse .actions-container {\n\t-ms-flex-direction: row-reverse;\n\t flex-direction: row-reverse;\n}\n\n.monaco-action-bar .action-item {\n\tcursor: pointer;\n\tdisplay: inline-block;\n\t-webkit-transition: -webkit-transform 50ms ease;\n\ttransition: -webkit-transform 50ms ease;\n\t-o-transition: transform 50ms ease;\n\ttransition: transform 50ms ease;\n\ttransition: transform 50ms ease, -webkit-transform 50ms ease;\n\tposition: relative; /* DO NOT REMOVE - this is the key to preventing the ghosting icon bug in Chrome 42 */\n}\n\n.monaco-action-bar .action-item.disabled {\n\tcursor: default;\n}\n\n.monaco-action-bar.animated .action-item.active {\n\t-webkit-transform: scale(1.272019649, 1.272019649);\n\t -ms-transform: scale(1.272019649, 1.272019649);\n\t transform: scale(1.272019649, 1.272019649); /* 1.272019649 = √φ */\n}\n\n.monaco-action-bar .action-item .icon {\n\tdisplay: inline-block;\n}\n\n.monaco-action-bar .action-label {\n\tfont-size: 11px;\n\tmargin-right: 4px;\n}\n\n.monaco-action-bar .action-label.octicon {\n\tfont-size: 15px;\n\tline-height: 35px;\n\ttext-align: center;\n}\n\n.monaco-action-bar .action-item.disabled .action-label,\n.monaco-action-bar .action-item.disabled .action-label:hover {\n\topacity: 0.4;\n}\n\n/* Vertical actions */\n\n.monaco-action-bar.vertical {\n\ttext-align: left;\n}\n\n.monaco-action-bar.vertical .action-item {\n\tdisplay: block;\n}\n\n.monaco-action-bar.vertical .action-label.separator {\n\tdisplay: block;\n\tborder-bottom: 1px solid #bbb;\n\tpadding-top: 1px;\n\tmargin-left: .8em;\n\tmargin-right: .8em;\n}\n\n.monaco-action-bar.animated.vertical .action-item.active {\n\t-webkit-transform: translate(5px, 0);\n\t -ms-transform: translate(5px, 0);\n\t transform: translate(5px, 0);\n}\n\n.secondary-actions .monaco-action-bar .action-label {\n\tmargin-left: 6px;\n}\n\n/* Action Items */\n.monaco-action-bar .action-item.select-container {\n\toverflow: hidden; /* somehow the dropdown overflows its container, we prevent it here to not push */\n\t-ms-flex: 1 1;\n\t flex: 1 1;\n\tmax-width: 170px;\n\tmin-width: 60px;\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\t-ms-flex-align: center;\n\t align-items: center;\n\t-ms-flex-pack: center;\n\t justify-content: center;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2036: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IBulkEditService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IBulkEditService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('IWorkspaceEditService'); /***/ }), /***/ 2037: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IModeService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IModeService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('modeService'); /***/ }), /***/ 2038: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ModeServiceImpl; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__modes_abstractMode_js__ = __webpack_require__(2039); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__modes_nullMode_js__ = __webpack_require__(1326); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__languagesRegistry_js__ = __webpack_require__(2040); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var LanguageSelection = /** @class */ (function (_super) { __extends(LanguageSelection, _super); function LanguageSelection(onLanguagesMaybeChanged, selector) { var _this = _super.call(this) || this; _this._onDidChange = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this.onDidChange = _this._onDidChange.event; _this._selector = selector; _this.languageIdentifier = _this._selector(); _this._register(onLanguagesMaybeChanged(function () { return _this._evaluate(); })); return _this; } LanguageSelection.prototype._evaluate = function () { var languageIdentifier = this._selector(); if (languageIdentifier.id === this.languageIdentifier.id) { // no change return; } this.languageIdentifier = languageIdentifier; this._onDidChange.fire(this.languageIdentifier); }; return LanguageSelection; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); var ModeServiceImpl = /** @class */ (function () { function ModeServiceImpl(warnOnOverwrite) { if (warnOnOverwrite === void 0) { warnOnOverwrite = false; } var _this = this; this._onDidCreateMode = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); this.onDidCreateMode = this._onDidCreateMode.event; this._onLanguagesMaybeChanged = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); this.onLanguagesMaybeChanged = this._onLanguagesMaybeChanged.event; this._instantiatedModes = {}; this._registry = new __WEBPACK_IMPORTED_MODULE_4__languagesRegistry_js__["a" /* LanguagesRegistry */](true, warnOnOverwrite); this._registry.onDidChange(function () { return _this._onLanguagesMaybeChanged.fire(); }); } ModeServiceImpl.prototype.isRegisteredMode = function (mimetypeOrModeId) { return this._registry.isRegisteredMode(mimetypeOrModeId); }; ModeServiceImpl.prototype.getModeIdForLanguageName = function (alias) { return this._registry.getModeIdForLanguageNameLowercase(alias); }; ModeServiceImpl.prototype.getModeIdByFilepathOrFirstLine = function (filepath, firstLine) { var modeIds = this._registry.getModeIdsFromFilepathOrFirstLine(filepath, firstLine); if (modeIds.length > 0) { return modeIds[0]; } return null; }; ModeServiceImpl.prototype.getModeId = function (commaSeparatedMimetypesOrCommaSeparatedIds) { var modeIds = this._registry.extractModeIds(commaSeparatedMimetypesOrCommaSeparatedIds); if (modeIds.length > 0) { return modeIds[0]; } return null; }; ModeServiceImpl.prototype.getLanguageIdentifier = function (modeId) { return this._registry.getLanguageIdentifier(modeId); }; // --- instantiation ModeServiceImpl.prototype.create = function (commaSeparatedMimetypesOrCommaSeparatedIds) { var _this = this; return new LanguageSelection(this.onLanguagesMaybeChanged, function () { var modeId = _this.getModeId(commaSeparatedMimetypesOrCommaSeparatedIds); return _this._createModeAndGetLanguageIdentifier(modeId); }); }; ModeServiceImpl.prototype.createByFilepathOrFirstLine = function (filepath, firstLine) { var _this = this; return new LanguageSelection(this.onLanguagesMaybeChanged, function () { var modeId = _this.getModeIdByFilepathOrFirstLine(filepath, firstLine); return _this._createModeAndGetLanguageIdentifier(modeId); }); }; ModeServiceImpl.prototype._createModeAndGetLanguageIdentifier = function (modeId) { // Fall back to plain text if no mode was found var languageIdentifier = this.getLanguageIdentifier(modeId || 'plaintext') || __WEBPACK_IMPORTED_MODULE_3__modes_nullMode_js__["a" /* NULL_LANGUAGE_IDENTIFIER */]; this._getOrCreateMode(languageIdentifier.language); return languageIdentifier; }; ModeServiceImpl.prototype.triggerMode = function (commaSeparatedMimetypesOrCommaSeparatedIds) { var modeId = this.getModeId(commaSeparatedMimetypesOrCommaSeparatedIds); // Fall back to plain text if no mode was found this._getOrCreateMode(modeId || 'plaintext'); }; ModeServiceImpl.prototype._getOrCreateMode = function (modeId) { if (!this._instantiatedModes.hasOwnProperty(modeId)) { var languageIdentifier = this.getLanguageIdentifier(modeId) || __WEBPACK_IMPORTED_MODULE_3__modes_nullMode_js__["a" /* NULL_LANGUAGE_IDENTIFIER */]; this._instantiatedModes[modeId] = new __WEBPACK_IMPORTED_MODULE_2__modes_abstractMode_js__["a" /* FrankensteinMode */](languageIdentifier); this._onDidCreateMode.fire(this._instantiatedModes[modeId]); } return this._instantiatedModes[modeId]; }; return ModeServiceImpl; }()); /***/ }), /***/ 2039: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return FrankensteinMode; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var FrankensteinMode = /** @class */ (function () { function FrankensteinMode(languageIdentifier) { this._languageIdentifier = languageIdentifier; } FrankensteinMode.prototype.getId = function () { return this._languageIdentifier.language; }; return FrankensteinMode; }()); /***/ }), /***/ 2040: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return LanguagesRegistry; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_mime_js__ = __webpack_require__(2041); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__modes_modesRegistry_js__ = __webpack_require__(1582); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__modes_nullMode_js__ = __webpack_require__(1326); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__platform_configuration_common_configurationRegistry_js__ = __webpack_require__(1395); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__platform_registry_common_platform_js__ = __webpack_require__(1203); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var hasOwnProperty = Object.prototype.hasOwnProperty; var LanguagesRegistry = /** @class */ (function (_super) { __extends(LanguagesRegistry, _super); function LanguagesRegistry(useModesRegistry, warnOnOverwrite) { if (useModesRegistry === void 0) { useModesRegistry = true; } if (warnOnOverwrite === void 0) { warnOnOverwrite = false; } var _this = _super.call(this) || this; _this._onDidChange = _this._register(new __WEBPACK_IMPORTED_MODULE_1__base_common_event_js__["a" /* Emitter */]()); _this.onDidChange = _this._onDidChange.event; _this._warnOnOverwrite = warnOnOverwrite; _this._nextLanguageId2 = 1; _this._languageIdToLanguage = []; _this._languageToLanguageId = Object.create(null); _this._languages = {}; _this._mimeTypesMap = {}; _this._nameMap = {}; _this._lowercaseNameMap = {}; if (useModesRegistry) { _this._initializeFromRegistry(); _this._register(__WEBPACK_IMPORTED_MODULE_6__modes_modesRegistry_js__["a" /* ModesRegistry */].onDidChangeLanguages(function (m) { return _this._initializeFromRegistry(); })); } return _this; } LanguagesRegistry.prototype._initializeFromRegistry = function () { this._languages = {}; this._mimeTypesMap = {}; this._nameMap = {}; this._lowercaseNameMap = {}; var desc = __WEBPACK_IMPORTED_MODULE_6__modes_modesRegistry_js__["a" /* ModesRegistry */].getLanguages(); this._registerLanguages(desc); }; LanguagesRegistry.prototype._registerLanguages = function (desc) { var _this = this; for (var _i = 0, desc_1 = desc; _i < desc_1.length; _i++) { var d = desc_1[_i]; this._registerLanguage(d); } // Rebuild fast path maps this._mimeTypesMap = {}; this._nameMap = {}; this._lowercaseNameMap = {}; Object.keys(this._languages).forEach(function (langId) { var language = _this._languages[langId]; if (language.name) { _this._nameMap[language.name] = language.identifier; } language.aliases.forEach(function (alias) { _this._lowercaseNameMap[alias.toLowerCase()] = language.identifier; }); language.mimetypes.forEach(function (mimetype) { _this._mimeTypesMap[mimetype] = language.identifier; }); }); __WEBPACK_IMPORTED_MODULE_9__platform_registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_8__platform_configuration_common_configurationRegistry_js__["a" /* Extensions */].Configuration).registerOverrideIdentifiers(__WEBPACK_IMPORTED_MODULE_6__modes_modesRegistry_js__["a" /* ModesRegistry */].getLanguages().map(function (language) { return language.id; })); this._onDidChange.fire(); }; LanguagesRegistry.prototype._getLanguageId = function (language) { if (this._languageToLanguageId[language]) { return this._languageToLanguageId[language]; } var languageId = this._nextLanguageId2++; this._languageIdToLanguage[languageId] = language; this._languageToLanguageId[language] = languageId; return languageId; }; LanguagesRegistry.prototype._registerLanguage = function (lang) { var langId = lang.id; var resolvedLanguage; if (hasOwnProperty.call(this._languages, langId)) { resolvedLanguage = this._languages[langId]; } else { var languageId = this._getLanguageId(langId); resolvedLanguage = { identifier: new __WEBPACK_IMPORTED_MODULE_5__modes_js__["o" /* LanguageIdentifier */](langId, languageId), name: null, mimetypes: [], aliases: [], extensions: [], filenames: [], configurationFiles: [] }; this._languages[langId] = resolvedLanguage; } this._mergeLanguage(resolvedLanguage, lang); }; LanguagesRegistry.prototype._mergeLanguage = function (resolvedLanguage, lang) { var _a; var langId = lang.id; var primaryMime = null; if (Array.isArray(lang.mimetypes) && lang.mimetypes.length > 0) { (_a = resolvedLanguage.mimetypes).push.apply(_a, lang.mimetypes); primaryMime = lang.mimetypes[0]; } if (!primaryMime) { primaryMime = "text/x-" + langId; resolvedLanguage.mimetypes.push(primaryMime); } if (Array.isArray(lang.extensions)) { for (var _i = 0, _b = lang.extensions; _i < _b.length; _i++) { var extension = _b[_i]; __WEBPACK_IMPORTED_MODULE_3__base_common_mime_js__["b" /* registerTextMime */]({ id: langId, mime: primaryMime, extension: extension }, this._warnOnOverwrite); resolvedLanguage.extensions.push(extension); } } if (Array.isArray(lang.filenames)) { for (var _c = 0, _d = lang.filenames; _c < _d.length; _c++) { var filename = _d[_c]; __WEBPACK_IMPORTED_MODULE_3__base_common_mime_js__["b" /* registerTextMime */]({ id: langId, mime: primaryMime, filename: filename }, this._warnOnOverwrite); resolvedLanguage.filenames.push(filename); } } if (Array.isArray(lang.filenamePatterns)) { for (var _e = 0, _f = lang.filenamePatterns; _e < _f.length; _e++) { var filenamePattern = _f[_e]; __WEBPACK_IMPORTED_MODULE_3__base_common_mime_js__["b" /* registerTextMime */]({ id: langId, mime: primaryMime, filepattern: filenamePattern }, this._warnOnOverwrite); } } if (typeof lang.firstLine === 'string' && lang.firstLine.length > 0) { var firstLineRegexStr = lang.firstLine; if (firstLineRegexStr.charAt(0) !== '^') { firstLineRegexStr = '^' + firstLineRegexStr; } try { var firstLineRegex = new RegExp(firstLineRegexStr); if (!__WEBPACK_IMPORTED_MODULE_4__base_common_strings_js__["A" /* regExpLeadsToEndlessLoop */](firstLineRegex)) { __WEBPACK_IMPORTED_MODULE_3__base_common_mime_js__["b" /* registerTextMime */]({ id: langId, mime: primaryMime, firstline: firstLineRegex }, this._warnOnOverwrite); } } catch (err) { // Most likely, the regex was bad Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["e" /* onUnexpectedError */])(err); } } resolvedLanguage.aliases.push(langId); var langAliases = null; if (typeof lang.aliases !== 'undefined' && Array.isArray(lang.aliases)) { if (lang.aliases.length === 0) { // signal that this language should not get a name langAliases = [null]; } else { langAliases = lang.aliases; } } if (langAliases !== null) { for (var _g = 0, langAliases_1 = langAliases; _g < langAliases_1.length; _g++) { var langAlias = langAliases_1[_g]; if (!langAlias || langAlias.length === 0) { continue; } resolvedLanguage.aliases.push(langAlias); } } var containsAliases = (langAliases !== null && langAliases.length > 0); if (containsAliases && langAliases[0] === null) { // signal that this language should not get a name } else { var bestName = (containsAliases ? langAliases[0] : null) || langId; if (containsAliases || !resolvedLanguage.name) { resolvedLanguage.name = bestName; } } if (lang.configuration) { resolvedLanguage.configurationFiles.push(lang.configuration); } }; LanguagesRegistry.prototype.isRegisteredMode = function (mimetypeOrModeId) { // Is this a known mime type ? if (hasOwnProperty.call(this._mimeTypesMap, mimetypeOrModeId)) { return true; } // Is this a known mode id ? return hasOwnProperty.call(this._languages, mimetypeOrModeId); }; LanguagesRegistry.prototype.getModeIdForLanguageNameLowercase = function (languageNameLower) { if (!hasOwnProperty.call(this._lowercaseNameMap, languageNameLower)) { return null; } return this._lowercaseNameMap[languageNameLower].language; }; LanguagesRegistry.prototype.extractModeIds = function (commaSeparatedMimetypesOrCommaSeparatedIds) { var _this = this; if (!commaSeparatedMimetypesOrCommaSeparatedIds) { return []; } return (commaSeparatedMimetypesOrCommaSeparatedIds. split(','). map(function (mimeTypeOrId) { return mimeTypeOrId.trim(); }). map(function (mimeTypeOrId) { if (hasOwnProperty.call(_this._mimeTypesMap, mimeTypeOrId)) { return _this._mimeTypesMap[mimeTypeOrId].language; } return mimeTypeOrId; }). filter(function (modeId) { return hasOwnProperty.call(_this._languages, modeId); })); }; LanguagesRegistry.prototype.getLanguageIdentifier = function (_modeId) { if (_modeId === __WEBPACK_IMPORTED_MODULE_7__modes_nullMode_js__["b" /* NULL_MODE_ID */] || _modeId === 0 /* Null */) { return __WEBPACK_IMPORTED_MODULE_7__modes_nullMode_js__["a" /* NULL_LANGUAGE_IDENTIFIER */]; } var modeId; if (typeof _modeId === 'string') { modeId = _modeId; } else { modeId = this._languageIdToLanguage[_modeId]; if (!modeId) { return null; } } if (!hasOwnProperty.call(this._languages, modeId)) { return null; } return this._languages[modeId].identifier; }; LanguagesRegistry.prototype.getModeIdsFromFilepathOrFirstLine = function (filepath, firstLine) { if (!filepath && !firstLine) { return []; } var mimeTypes = __WEBPACK_IMPORTED_MODULE_3__base_common_mime_js__["a" /* guessMimeTypes */](filepath, firstLine); return this.extractModeIds(mimeTypes.join(',')); }; return LanguagesRegistry; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2041: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export MIME_TEXT */ /* unused harmony export MIME_UNKNOWN */ /* harmony export (immutable) */ __webpack_exports__["b"] = registerTextMime; /* harmony export (immutable) */ __webpack_exports__["a"] = guessMimeTypes; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__path_js__ = __webpack_require__(1442); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__glob_js__ = __webpack_require__(1684); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var MIME_TEXT = 'text/plain'; var MIME_UNKNOWN = 'application/unknown'; var registeredAssociations = []; var nonUserRegisteredAssociations = []; var userRegisteredAssociations = []; /** * Associate a text mime to the registry. */ function registerTextMime(association, warnOnOverwrite) { if (warnOnOverwrite === void 0) { warnOnOverwrite = false; } // Register var associationItem = toTextMimeAssociationItem(association); registeredAssociations.push(associationItem); if (!associationItem.userConfigured) { nonUserRegisteredAssociations.push(associationItem); } else { userRegisteredAssociations.push(associationItem); } // Check for conflicts unless this is a user configured association if (warnOnOverwrite && !associationItem.userConfigured) { registeredAssociations.forEach(function (a) { if (a.mime === associationItem.mime || a.userConfigured) { return; // same mime or userConfigured is ok } if (associationItem.extension && a.extension === associationItem.extension) { console.warn("Overwriting extension <<" + associationItem.extension + ">> to now point to mime <<" + associationItem.mime + ">>"); } if (associationItem.filename && a.filename === associationItem.filename) { console.warn("Overwriting filename <<" + associationItem.filename + ">> to now point to mime <<" + associationItem.mime + ">>"); } if (associationItem.filepattern && a.filepattern === associationItem.filepattern) { console.warn("Overwriting filepattern <<" + associationItem.filepattern + ">> to now point to mime <<" + associationItem.mime + ">>"); } if (associationItem.firstline && a.firstline === associationItem.firstline) { console.warn("Overwriting firstline <<" + associationItem.firstline + ">> to now point to mime <<" + associationItem.mime + ">>"); } }); } } function toTextMimeAssociationItem(association) { return { id: association.id, mime: association.mime, filename: association.filename, extension: association.extension, filepattern: association.filepattern, firstline: association.firstline, userConfigured: association.userConfigured, filenameLowercase: association.filename ? association.filename.toLowerCase() : undefined, extensionLowercase: association.extension ? association.extension.toLowerCase() : undefined, filepatternLowercase: association.filepattern ? association.filepattern.toLowerCase() : undefined, filepatternOnPath: association.filepattern ? association.filepattern.indexOf(__WEBPACK_IMPORTED_MODULE_0__path_js__["posix"].sep) >= 0 : false }; } /** * Given a file, return the best matching mime type for it */ function guessMimeTypes(path, firstLine) { if (!path) { return [MIME_UNKNOWN]; } path = path.toLowerCase(); var filename = Object(__WEBPACK_IMPORTED_MODULE_0__path_js__["basename"])(path); // 1.) User configured mappings have highest priority var configuredMime = guessMimeTypeByPath(path, filename, userRegisteredAssociations); if (configuredMime) { return [configuredMime, MIME_TEXT]; } // 2.) Registered mappings have middle priority var registeredMime = guessMimeTypeByPath(path, filename, nonUserRegisteredAssociations); if (registeredMime) { return [registeredMime, MIME_TEXT]; } // 3.) Firstline has lowest priority if (firstLine) { var firstlineMime = guessMimeTypeByFirstline(firstLine); if (firstlineMime) { return [firstlineMime, MIME_TEXT]; } } return [MIME_UNKNOWN]; } function guessMimeTypeByPath(path, filename, associations) { var filenameMatch = null; var patternMatch = null; var extensionMatch = null; // We want to prioritize associations based on the order they are registered so that the last registered // association wins over all other. This is for https://github.com/Microsoft/vscode/issues/20074 for (var i = associations.length - 1; i >= 0; i--) { var association = associations[i]; // First exact name match if (filename === association.filenameLowercase) { filenameMatch = association; break; // take it! } // Longest pattern match if (association.filepattern) { if (!patternMatch || association.filepattern.length > patternMatch.filepattern.length) { var target = association.filepatternOnPath ? path : filename; // match on full path if pattern contains path separator if (Object(__WEBPACK_IMPORTED_MODULE_2__glob_js__["a" /* match */])(association.filepatternLowercase, target)) { patternMatch = association; } } } // Longest extension match if (association.extension) { if (!extensionMatch || association.extension.length > extensionMatch.extension.length) { if (Object(__WEBPACK_IMPORTED_MODULE_1__strings_js__["j" /* endsWith */])(filename, association.extensionLowercase)) { extensionMatch = association; } } } } // 1.) Exact name match has second highest prio if (filenameMatch) { return filenameMatch.mime; } // 2.) Match on pattern if (patternMatch) { return patternMatch.mime; } // 3.) Match on extension comes next if (extensionMatch) { return extensionMatch.mime; } return null; } function guessMimeTypeByFirstline(firstLine) { if (Object(__WEBPACK_IMPORTED_MODULE_1__strings_js__["D" /* startsWithUTF8BOM */])(firstLine)) { firstLine = firstLine.substr(1); } if (firstLine.length > 0) { for (var _i = 0, registeredAssociations_1 = registeredAssociations; _i < registeredAssociations_1.length; _i++) { var association = registeredAssociations_1[_i]; if (!association.firstline) { continue; } var matches = firstLine.match(association.firstline); if (matches && matches.length > 0) { return association.mime; } } } return null; } /***/ }), /***/ 2042: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ModelServiceImpl; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__config_editorOptions_js__ = __webpack_require__(1287); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__model_textModel_js__ = __webpack_require__(1451); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__modes_modesRegistry_js__ = __webpack_require__(1582); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__resourceConfiguration_js__ = __webpack_require__(1568); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_configuration_common_configuration_js__ = __webpack_require__(1290); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; function MODEL_ID(resource) { return resource.toString(); } var ModelData = /** @class */ (function () { function ModelData(model, onWillDispose, onDidChangeLanguage) { this.model = model; this._languageSelection = null; this._languageSelectionListener = null; this._modelEventListeners = []; this._modelEventListeners.push(model.onWillDispose(function () { return onWillDispose(model); })); this._modelEventListeners.push(model.onDidChangeLanguage(function (e) { return onDidChangeLanguage(model, e); })); } ModelData.prototype._disposeLanguageSelection = function () { if (this._languageSelectionListener) { this._languageSelectionListener.dispose(); this._languageSelectionListener = null; } if (this._languageSelection) { this._languageSelection.dispose(); this._languageSelection = null; } }; ModelData.prototype.dispose = function () { this._modelEventListeners = Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(this._modelEventListeners); this._disposeLanguageSelection(); }; ModelData.prototype.setLanguage = function (languageSelection) { var _this = this; this._disposeLanguageSelection(); this._languageSelection = languageSelection; this._languageSelectionListener = this._languageSelection.onDidChange(function () { return _this.model.setMode(languageSelection.languageIdentifier); }); this.model.setMode(languageSelection.languageIdentifier); }; return ModelData; }()); var DEFAULT_EOL = (__WEBPACK_IMPORTED_MODULE_2__base_common_platform_js__["c" /* isLinux */] || __WEBPACK_IMPORTED_MODULE_2__base_common_platform_js__["d" /* isMacintosh */]) ? 1 /* LF */ : 2 /* CRLF */; var ModelServiceImpl = /** @class */ (function (_super) { __extends(ModelServiceImpl, _super); function ModelServiceImpl(configurationService, resourcePropertiesService) { var _this = _super.call(this) || this; _this._onModelAdded = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this.onModelAdded = _this._onModelAdded.event; _this._onModelRemoved = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this.onModelRemoved = _this._onModelRemoved.event; _this._onModelModeChanged = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this.onModelModeChanged = _this._onModelModeChanged.event; _this._configurationService = configurationService; _this._resourcePropertiesService = resourcePropertiesService; _this._models = {}; _this._modelCreationOptionsByLanguageAndResource = Object.create(null); _this._configurationServiceSubscription = _this._configurationService.onDidChangeConfiguration(function (e) { return _this._updateModelOptions(); }); _this._updateModelOptions(); return _this; } ModelServiceImpl._readModelOptions = function (config, isForSimpleWidget) { var tabSize = __WEBPACK_IMPORTED_MODULE_3__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].tabSize; if (config.editor && typeof config.editor.tabSize !== 'undefined') { var parsedTabSize = parseInt(config.editor.tabSize, 10); if (!isNaN(parsedTabSize)) { tabSize = parsedTabSize; } if (tabSize < 1) { tabSize = 1; } } var indentSize = tabSize; if (config.editor && typeof config.editor.indentSize !== 'undefined' && config.editor.indentSize !== 'tabSize') { var parsedIndentSize = parseInt(config.editor.indentSize, 10); if (!isNaN(parsedIndentSize)) { indentSize = parsedIndentSize; } if (indentSize < 1) { indentSize = 1; } } var insertSpaces = __WEBPACK_IMPORTED_MODULE_3__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].insertSpaces; if (config.editor && typeof config.editor.insertSpaces !== 'undefined') { insertSpaces = (config.editor.insertSpaces === 'false' ? false : Boolean(config.editor.insertSpaces)); } var newDefaultEOL = DEFAULT_EOL; var eol = config.eol; if (eol === '\r\n') { newDefaultEOL = 2 /* CRLF */; } else if (eol === '\n') { newDefaultEOL = 1 /* LF */; } var trimAutoWhitespace = __WEBPACK_IMPORTED_MODULE_3__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].trimAutoWhitespace; if (config.editor && typeof config.editor.trimAutoWhitespace !== 'undefined') { trimAutoWhitespace = (config.editor.trimAutoWhitespace === 'false' ? false : Boolean(config.editor.trimAutoWhitespace)); } var detectIndentation = __WEBPACK_IMPORTED_MODULE_3__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].detectIndentation; if (config.editor && typeof config.editor.detectIndentation !== 'undefined') { detectIndentation = (config.editor.detectIndentation === 'false' ? false : Boolean(config.editor.detectIndentation)); } var largeFileOptimizations = __WEBPACK_IMPORTED_MODULE_3__config_editorOptions_js__["c" /* EDITOR_MODEL_DEFAULTS */].largeFileOptimizations; if (config.editor && typeof config.editor.largeFileOptimizations !== 'undefined') { largeFileOptimizations = (config.editor.largeFileOptimizations === 'false' ? false : Boolean(config.editor.largeFileOptimizations)); } return { isForSimpleWidget: isForSimpleWidget, tabSize: tabSize, indentSize: indentSize, insertSpaces: insertSpaces, detectIndentation: detectIndentation, defaultEOL: newDefaultEOL, trimAutoWhitespace: trimAutoWhitespace, largeFileOptimizations: largeFileOptimizations }; }; ModelServiceImpl.prototype.getCreationOptions = function (language, resource, isForSimpleWidget) { var creationOptions = this._modelCreationOptionsByLanguageAndResource[language + resource]; if (!creationOptions) { var editor = this._configurationService.getValue('editor', { overrideIdentifier: language, resource: resource }); var eol = this._resourcePropertiesService.getEOL(resource, language); creationOptions = ModelServiceImpl._readModelOptions({ editor: editor, eol: eol }, isForSimpleWidget); this._modelCreationOptionsByLanguageAndResource[language + resource] = creationOptions; } return creationOptions; }; ModelServiceImpl.prototype._updateModelOptions = function () { var oldOptionsByLanguageAndResource = this._modelCreationOptionsByLanguageAndResource; this._modelCreationOptionsByLanguageAndResource = Object.create(null); // Update options on all models var keys = Object.keys(this._models); for (var i = 0, len = keys.length; i < len; i++) { var modelId = keys[i]; var modelData = this._models[modelId]; var language = modelData.model.getLanguageIdentifier().language; var uri = modelData.model.uri; var oldOptions = oldOptionsByLanguageAndResource[language + uri]; var newOptions = this.getCreationOptions(language, uri, modelData.model.isForSimpleWidget); ModelServiceImpl._setModelOptionsForModel(modelData.model, newOptions, oldOptions); } }; ModelServiceImpl._setModelOptionsForModel = function (model, newOptions, currentOptions) { if (currentOptions && (currentOptions.detectIndentation === newOptions.detectIndentation) && (currentOptions.insertSpaces === newOptions.insertSpaces) && (currentOptions.tabSize === newOptions.tabSize) && (currentOptions.indentSize === newOptions.indentSize) && (currentOptions.trimAutoWhitespace === newOptions.trimAutoWhitespace)) { // Same indent opts, no need to touch the model return; } if (newOptions.detectIndentation) { model.detectIndentation(newOptions.insertSpaces, newOptions.tabSize); model.updateOptions({ trimAutoWhitespace: newOptions.trimAutoWhitespace }); } else { model.updateOptions({ insertSpaces: newOptions.insertSpaces, tabSize: newOptions.tabSize, indentSize: newOptions.indentSize, trimAutoWhitespace: newOptions.trimAutoWhitespace }); } }; ModelServiceImpl.prototype.dispose = function () { this._configurationServiceSubscription.dispose(); _super.prototype.dispose.call(this); }; // --- begin IModelService ModelServiceImpl.prototype._createModelData = function (value, languageIdentifier, resource, isForSimpleWidget) { var _this = this; // create & save the model var options = this.getCreationOptions(languageIdentifier.language, resource, isForSimpleWidget); var model = new __WEBPACK_IMPORTED_MODULE_4__model_textModel_js__["b" /* TextModel */](value, options, languageIdentifier, resource); var modelId = MODEL_ID(model.uri); if (this._models[modelId]) { // There already exists a model with this id => this is a programmer error throw new Error('ModelService: Cannot add model because it already exists!'); } var modelData = new ModelData(model, function (model) { return _this._onWillDispose(model); }, function (model, e) { return _this._onDidChangeLanguage(model, e); }); this._models[modelId] = modelData; return modelData; }; ModelServiceImpl.prototype.createModel = function (value, languageSelection, resource, isForSimpleWidget) { if (isForSimpleWidget === void 0) { isForSimpleWidget = false; } var modelData; if (languageSelection) { modelData = this._createModelData(value, languageSelection.languageIdentifier, resource, isForSimpleWidget); this.setMode(modelData.model, languageSelection); } else { modelData = this._createModelData(value, __WEBPACK_IMPORTED_MODULE_5__modes_modesRegistry_js__["b" /* PLAINTEXT_LANGUAGE_IDENTIFIER */], resource, isForSimpleWidget); } this._onModelAdded.fire(modelData.model); return modelData.model; }; ModelServiceImpl.prototype.setMode = function (model, languageSelection) { if (!languageSelection) { return; } var modelData = this._models[MODEL_ID(model.uri)]; if (!modelData) { return; } modelData.setLanguage(languageSelection); }; ModelServiceImpl.prototype.getModels = function () { var ret = []; var keys = Object.keys(this._models); for (var i = 0, len = keys.length; i < len; i++) { var modelId = keys[i]; ret.push(this._models[modelId].model); } return ret; }; ModelServiceImpl.prototype.getModel = function (resource) { var modelId = MODEL_ID(resource); var modelData = this._models[modelId]; if (!modelData) { return null; } return modelData.model; }; // --- end IModelService ModelServiceImpl.prototype._onWillDispose = function (model) { var modelId = MODEL_ID(model.uri); var modelData = this._models[modelId]; delete this._models[modelId]; modelData.dispose(); // clean up cache delete this._modelCreationOptionsByLanguageAndResource[model.getLanguageIdentifier().language + model.uri]; this._onModelRemoved.fire(model); }; ModelServiceImpl.prototype._onDidChangeLanguage = function (model, e) { var oldModeId = e.oldLanguage; var newModeId = model.getLanguageIdentifier().language; var oldOptions = this.getCreationOptions(oldModeId, model.uri, model.isForSimpleWidget); var newOptions = this.getCreationOptions(newModeId, model.uri, model.isForSimpleWidget); ModelServiceImpl._setModelOptionsForModel(model, newOptions, oldOptions); this._onModelModeChanged.fire({ model: model, oldModeId: oldModeId }); }; ModelServiceImpl = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_7__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]), __param(1, __WEBPACK_IMPORTED_MODULE_6__resourceConfiguration_js__["b" /* ITextResourcePropertiesService */]) ], ModelServiceImpl); return ModelServiceImpl; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2043: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StandaloneCodeEditorServiceImpl; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__ = __webpack_require__(1358); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__browser_services_codeEditorServiceImpl_js__ = __webpack_require__(2044); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var StandaloneCodeEditorServiceImpl = /** @class */ (function (_super) { __extends(StandaloneCodeEditorServiceImpl, _super); function StandaloneCodeEditorServiceImpl() { return _super !== null && _super.apply(this, arguments) || this; } StandaloneCodeEditorServiceImpl.prototype.getActiveCodeEditor = function () { return null; // not supported in the standalone case }; StandaloneCodeEditorServiceImpl.prototype.openCodeEditor = function (input, source, sideBySide) { if (!source) { return Promise.resolve(null); } return Promise.resolve(this.doOpenEditor(source, input)); }; StandaloneCodeEditorServiceImpl.prototype.doOpenEditor = function (editor, input) { var model = this.findModel(editor, input.resource); if (!model) { if (input.resource) { var schema = input.resource.scheme; if (schema === __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__["a" /* Schemas */].http || schema === __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__["a" /* Schemas */].https) { // This is a fully qualified http or https URL Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["O" /* windowOpenNoOpener */])(input.resource.toString()); return editor; } } return null; } var selection = (input.options ? input.options.selection : null); if (selection) { if (typeof selection.endLineNumber === 'number' && typeof selection.endColumn === 'number') { editor.setSelection(selection); editor.revealRangeInCenter(selection, 1 /* Immediate */); } else { var pos = { lineNumber: selection.startLineNumber, column: selection.startColumn }; editor.setPosition(pos); editor.revealPositionInCenter(pos, 1 /* Immediate */); } } return editor; }; StandaloneCodeEditorServiceImpl.prototype.findModel = function (editor, resource) { var model = editor.getModel(); if (model && model.uri.toString() !== resource.toString()) { return null; } return model; }; return StandaloneCodeEditorServiceImpl; }(__WEBPACK_IMPORTED_MODULE_2__browser_services_codeEditorServiceImpl_js__["a" /* CodeEditorServiceImpl */])); /***/ }), /***/ 2044: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CodeEditorServiceImpl; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_uri_js__ = __webpack_require__(1278); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__abstractCodeEditorService_js__ = __webpack_require__(2045); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_editorCommon_js__ = __webpack_require__(1324); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_model_js__ = __webpack_require__(1325); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var CodeEditorServiceImpl = /** @class */ (function (_super) { __extends(CodeEditorServiceImpl, _super); function CodeEditorServiceImpl(themeService, styleSheet) { if (styleSheet === void 0) { styleSheet = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["o" /* createStyleSheet */](); } var _this = _super.call(this) || this; _this._styleSheet = styleSheet; _this._decorationOptionProviders = Object.create(null); _this._themeService = themeService; return _this; } CodeEditorServiceImpl.prototype.registerDecorationType = function (key, options, parentTypeKey) { var provider = this._decorationOptionProviders[key]; if (!provider) { var providerArgs = { styleSheet: this._styleSheet, key: key, parentTypeKey: parentTypeKey, options: options || Object.create(null) }; if (!parentTypeKey) { provider = new DecorationTypeOptionsProvider(this._themeService, providerArgs); } else { provider = new DecorationSubTypeOptionsProvider(this._themeService, providerArgs); } this._decorationOptionProviders[key] = provider; } provider.refCount++; }; CodeEditorServiceImpl.prototype.removeDecorationType = function (key) { var provider = this._decorationOptionProviders[key]; if (provider) { provider.refCount--; if (provider.refCount <= 0) { delete this._decorationOptionProviders[key]; provider.dispose(); this.listCodeEditors().forEach(function (ed) { return ed.removeDecorations(key); }); } } }; CodeEditorServiceImpl.prototype.resolveDecorationOptions = function (decorationTypeKey, writable) { var provider = this._decorationOptionProviders[decorationTypeKey]; if (!provider) { throw new Error('Unknown decoration type key: ' + decorationTypeKey); } return provider.getOptions(this, writable); }; CodeEditorServiceImpl = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_themeService_js__["c" /* IThemeService */]) ], CodeEditorServiceImpl); return CodeEditorServiceImpl; }(__WEBPACK_IMPORTED_MODULE_4__abstractCodeEditorService_js__["a" /* AbstractCodeEditorService */])); var DecorationSubTypeOptionsProvider = /** @class */ (function () { function DecorationSubTypeOptionsProvider(themeService, providerArgs) { this._parentTypeKey = providerArgs.parentTypeKey; this.refCount = 0; this._beforeContentRules = new DecorationCSSRules(3 /* BeforeContentClassName */, providerArgs, themeService); this._afterContentRules = new DecorationCSSRules(4 /* AfterContentClassName */, providerArgs, themeService); } DecorationSubTypeOptionsProvider.prototype.getOptions = function (codeEditorService, writable) { var options = codeEditorService.resolveDecorationOptions(this._parentTypeKey, true); if (this._beforeContentRules) { options.beforeContentClassName = this._beforeContentRules.className; } if (this._afterContentRules) { options.afterContentClassName = this._afterContentRules.className; } return options; }; DecorationSubTypeOptionsProvider.prototype.dispose = function () { if (this._beforeContentRules) { this._beforeContentRules.dispose(); this._beforeContentRules = null; } if (this._afterContentRules) { this._afterContentRules.dispose(); this._afterContentRules = null; } }; return DecorationSubTypeOptionsProvider; }()); var DecorationTypeOptionsProvider = /** @class */ (function () { function DecorationTypeOptionsProvider(themeService, providerArgs) { var _this = this; this.refCount = 0; this._disposables = []; var createCSSRules = function (type) { var rules = new DecorationCSSRules(type, providerArgs, themeService); _this._disposables.push(rules); if (rules.hasContent) { return rules.className; } return undefined; }; var createInlineCSSRules = function (type) { var rules = new DecorationCSSRules(type, providerArgs, themeService); _this._disposables.push(rules); if (rules.hasContent) { return { className: rules.className, hasLetterSpacing: rules.hasLetterSpacing }; } return null; }; this.className = createCSSRules(0 /* ClassName */); var inlineData = createInlineCSSRules(1 /* InlineClassName */); if (inlineData) { this.inlineClassName = inlineData.className; this.inlineClassNameAffectsLetterSpacing = inlineData.hasLetterSpacing; } this.beforeContentClassName = createCSSRules(3 /* BeforeContentClassName */); this.afterContentClassName = createCSSRules(4 /* AfterContentClassName */); this.glyphMarginClassName = createCSSRules(2 /* GlyphMarginClassName */); var options = providerArgs.options; this.isWholeLine = Boolean(options.isWholeLine); this.stickiness = options.rangeBehavior; var lightOverviewRulerColor = options.light && options.light.overviewRulerColor || options.overviewRulerColor; var darkOverviewRulerColor = options.dark && options.dark.overviewRulerColor || options.overviewRulerColor; if (typeof lightOverviewRulerColor !== 'undefined' || typeof darkOverviewRulerColor !== 'undefined') { this.overviewRuler = { color: lightOverviewRulerColor || darkOverviewRulerColor, darkColor: darkOverviewRulerColor || lightOverviewRulerColor, position: options.overviewRulerLane || __WEBPACK_IMPORTED_MODULE_6__common_model_js__["c" /* OverviewRulerLane */].Center }; } } DecorationTypeOptionsProvider.prototype.getOptions = function (codeEditorService, writable) { if (!writable) { return this; } return { inlineClassName: this.inlineClassName, beforeContentClassName: this.beforeContentClassName, afterContentClassName: this.afterContentClassName, className: this.className, glyphMarginClassName: this.glyphMarginClassName, isWholeLine: this.isWholeLine, overviewRuler: this.overviewRuler, stickiness: this.stickiness }; }; DecorationTypeOptionsProvider.prototype.dispose = function () { this._disposables = Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(this._disposables); }; return DecorationTypeOptionsProvider; }()); var _CSS_MAP = { color: 'color:{0} !important;', opacity: 'opacity:{0};', backgroundColor: 'background-color:{0};', outline: 'outline:{0};', outlineColor: 'outline-color:{0};', outlineStyle: 'outline-style:{0};', outlineWidth: 'outline-width:{0};', border: 'border:{0};', borderColor: 'border-color:{0};', borderRadius: 'border-radius:{0};', borderSpacing: 'border-spacing:{0};', borderStyle: 'border-style:{0};', borderWidth: 'border-width:{0};', fontStyle: 'font-style:{0};', fontWeight: 'font-weight:{0};', textDecoration: 'text-decoration:{0};', cursor: 'cursor:{0};', letterSpacing: 'letter-spacing:{0};', gutterIconPath: 'background:url(\'{0}\') center center no-repeat;', gutterIconSize: 'background-size:{0};', contentText: 'content:\'{0}\';', contentIconPath: 'content:url(\'{0}\');', margin: 'margin:{0};', width: 'width:{0};', height: 'height:{0};' }; var DecorationCSSRules = /** @class */ (function () { function DecorationCSSRules(ruleType, providerArgs, themeService) { var _this = this; this._theme = themeService.getTheme(); this._ruleType = ruleType; this._providerArgs = providerArgs; this._usesThemeColors = false; this._hasContent = false; this._hasLetterSpacing = false; var className = CSSNameHelper.getClassName(this._providerArgs.key, ruleType); if (this._providerArgs.parentTypeKey) { className = className + ' ' + CSSNameHelper.getClassName(this._providerArgs.parentTypeKey, ruleType); } this._className = className; this._unThemedSelector = CSSNameHelper.getSelector(this._providerArgs.key, this._providerArgs.parentTypeKey, ruleType); this._buildCSS(); if (this._usesThemeColors) { this._themeListener = themeService.onThemeChange(function (theme) { _this._theme = themeService.getTheme(); _this._removeCSS(); _this._buildCSS(); }); } else { this._themeListener = null; } } DecorationCSSRules.prototype.dispose = function () { if (this._hasContent) { this._removeCSS(); this._hasContent = false; } if (this._themeListener) { this._themeListener.dispose(); this._themeListener = null; } }; Object.defineProperty(DecorationCSSRules.prototype, "hasContent", { get: function () { return this._hasContent; }, enumerable: true, configurable: true }); Object.defineProperty(DecorationCSSRules.prototype, "hasLetterSpacing", { get: function () { return this._hasLetterSpacing; }, enumerable: true, configurable: true }); Object.defineProperty(DecorationCSSRules.prototype, "className", { get: function () { return this._className; }, enumerable: true, configurable: true }); DecorationCSSRules.prototype._buildCSS = function () { var options = this._providerArgs.options; var unthemedCSS, lightCSS, darkCSS; switch (this._ruleType) { case 0 /* ClassName */: unthemedCSS = this.getCSSTextForModelDecorationClassName(options); lightCSS = this.getCSSTextForModelDecorationClassName(options.light); darkCSS = this.getCSSTextForModelDecorationClassName(options.dark); break; case 1 /* InlineClassName */: unthemedCSS = this.getCSSTextForModelDecorationInlineClassName(options); lightCSS = this.getCSSTextForModelDecorationInlineClassName(options.light); darkCSS = this.getCSSTextForModelDecorationInlineClassName(options.dark); break; case 2 /* GlyphMarginClassName */: unthemedCSS = this.getCSSTextForModelDecorationGlyphMarginClassName(options); lightCSS = this.getCSSTextForModelDecorationGlyphMarginClassName(options.light); darkCSS = this.getCSSTextForModelDecorationGlyphMarginClassName(options.dark); break; case 3 /* BeforeContentClassName */: unthemedCSS = this.getCSSTextForModelDecorationContentClassName(options.before); lightCSS = this.getCSSTextForModelDecorationContentClassName(options.light && options.light.before); darkCSS = this.getCSSTextForModelDecorationContentClassName(options.dark && options.dark.before); break; case 4 /* AfterContentClassName */: unthemedCSS = this.getCSSTextForModelDecorationContentClassName(options.after); lightCSS = this.getCSSTextForModelDecorationContentClassName(options.light && options.light.after); darkCSS = this.getCSSTextForModelDecorationContentClassName(options.dark && options.dark.after); break; default: throw new Error('Unknown rule type: ' + this._ruleType); } var sheet = this._providerArgs.styleSheet.sheet; var hasContent = false; if (unthemedCSS.length > 0) { sheet.insertRule(this._unThemedSelector + " {" + unthemedCSS + "}", 0); hasContent = true; } if (lightCSS.length > 0) { sheet.insertRule(".vs" + this._unThemedSelector + " {" + lightCSS + "}", 0); hasContent = true; } if (darkCSS.length > 0) { sheet.insertRule(".vs-dark" + this._unThemedSelector + ", .hc-black" + this._unThemedSelector + " {" + darkCSS + "}", 0); hasContent = true; } this._hasContent = hasContent; }; DecorationCSSRules.prototype._removeCSS = function () { __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["C" /* removeCSSRulesContainingSelector */](this._unThemedSelector, this._providerArgs.styleSheet); }; /** * Build the CSS for decorations styled via `className`. */ DecorationCSSRules.prototype.getCSSTextForModelDecorationClassName = function (opts) { if (!opts) { return ''; } var cssTextArr = []; this.collectCSSText(opts, ['backgroundColor'], cssTextArr); this.collectCSSText(opts, ['outline', 'outlineColor', 'outlineStyle', 'outlineWidth'], cssTextArr); this.collectBorderSettingsCSSText(opts, cssTextArr); return cssTextArr.join(''); }; /** * Build the CSS for decorations styled via `inlineClassName`. */ DecorationCSSRules.prototype.getCSSTextForModelDecorationInlineClassName = function (opts) { if (!opts) { return ''; } var cssTextArr = []; this.collectCSSText(opts, ['fontStyle', 'fontWeight', 'textDecoration', 'cursor', 'color', 'opacity', 'letterSpacing'], cssTextArr); if (opts.letterSpacing) { this._hasLetterSpacing = true; } return cssTextArr.join(''); }; /** * Build the CSS for decorations styled before or after content. */ DecorationCSSRules.prototype.getCSSTextForModelDecorationContentClassName = function (opts) { if (!opts) { return ''; } var cssTextArr = []; if (typeof opts !== 'undefined') { this.collectBorderSettingsCSSText(opts, cssTextArr); if (typeof opts.contentIconPath !== 'undefined') { cssTextArr.push(__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["o" /* format */](_CSS_MAP.contentIconPath, __WEBPACK_IMPORTED_MODULE_3__base_common_uri_js__["a" /* URI */].revive(opts.contentIconPath).toString(true).replace(/'/g, '%27'))); } if (typeof opts.contentText === 'string') { var truncated = opts.contentText.match(/^.*$/m)[0]; // only take first line var escaped = truncated.replace(/['\\]/g, '\\$&'); cssTextArr.push(__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["o" /* format */](_CSS_MAP.contentText, escaped)); } this.collectCSSText(opts, ['fontStyle', 'fontWeight', 'textDecoration', 'color', 'opacity', 'backgroundColor', 'margin'], cssTextArr); if (this.collectCSSText(opts, ['width', 'height'], cssTextArr)) { cssTextArr.push('display:inline-block;'); } } return cssTextArr.join(''); }; /** * Build the CSS for decorations styled via `glpyhMarginClassName`. */ DecorationCSSRules.prototype.getCSSTextForModelDecorationGlyphMarginClassName = function (opts) { if (!opts) { return ''; } var cssTextArr = []; if (typeof opts.gutterIconPath !== 'undefined') { cssTextArr.push(__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["o" /* format */](_CSS_MAP.gutterIconPath, __WEBPACK_IMPORTED_MODULE_3__base_common_uri_js__["a" /* URI */].revive(opts.gutterIconPath).toString(true).replace(/'/g, '%27'))); if (typeof opts.gutterIconSize !== 'undefined') { cssTextArr.push(__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["o" /* format */](_CSS_MAP.gutterIconSize, opts.gutterIconSize)); } } return cssTextArr.join(''); }; DecorationCSSRules.prototype.collectBorderSettingsCSSText = function (opts, cssTextArr) { if (this.collectCSSText(opts, ['border', 'borderColor', 'borderRadius', 'borderSpacing', 'borderStyle', 'borderWidth'], cssTextArr)) { cssTextArr.push(__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["o" /* format */]('box-sizing: border-box;')); return true; } return false; }; DecorationCSSRules.prototype.collectCSSText = function (opts, properties, cssTextArr) { var lenBefore = cssTextArr.length; for (var _i = 0, properties_1 = properties; _i < properties_1.length; _i++) { var property = properties_1[_i]; var value = this.resolveValue(opts[property]); if (typeof value === 'string') { cssTextArr.push(__WEBPACK_IMPORTED_MODULE_2__base_common_strings_js__["o" /* format */](_CSS_MAP[property], value)); } } return cssTextArr.length !== lenBefore; }; DecorationCSSRules.prototype.resolveValue = function (value) { if (Object(__WEBPACK_IMPORTED_MODULE_5__common_editorCommon_js__["c" /* isThemeColor */])(value)) { this._usesThemeColors = true; var color = this._theme.getColor(value.id); if (color) { return color.toString(); } return 'transparent'; } return value; }; return DecorationCSSRules; }()); var CSSNameHelper = /** @class */ (function () { function CSSNameHelper() { } CSSNameHelper.getClassName = function (key, type) { return 'ced-' + key + '-' + type; }; CSSNameHelper.getSelector = function (key, parentKey, ruleType) { var selector = '.monaco-editor .' + this.getClassName(key, ruleType); if (parentKey) { selector = selector + '.' + this.getClassName(parentKey, ruleType); } if (ruleType === 3 /* BeforeContentClassName */) { selector += '::before'; } else if (ruleType === 4 /* AfterContentClassName */) { selector += '::after'; } return selector; }; return CSSNameHelper; }()); /***/ }), /***/ 2045: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AbstractCodeEditorService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var AbstractCodeEditorService = /** @class */ (function (_super) { __extends(AbstractCodeEditorService, _super); function AbstractCodeEditorService() { var _this = _super.call(this) || this; _this._onCodeEditorAdd = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this.onCodeEditorAdd = _this._onCodeEditorAdd.event; _this._onCodeEditorRemove = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this._onDiffEditorAdd = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this._onDiffEditorRemove = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */]()); _this._codeEditors = Object.create(null); _this._diffEditors = Object.create(null); return _this; } AbstractCodeEditorService.prototype.addCodeEditor = function (editor) { this._codeEditors[editor.getId()] = editor; this._onCodeEditorAdd.fire(editor); }; AbstractCodeEditorService.prototype.removeCodeEditor = function (editor) { if (delete this._codeEditors[editor.getId()]) { this._onCodeEditorRemove.fire(editor); } }; AbstractCodeEditorService.prototype.listCodeEditors = function () { var _this = this; return Object.keys(this._codeEditors).map(function (id) { return _this._codeEditors[id]; }); }; AbstractCodeEditorService.prototype.addDiffEditor = function (editor) { this._diffEditors[editor.getId()] = editor; this._onDiffEditorAdd.fire(editor); }; AbstractCodeEditorService.prototype.removeDiffEditor = function (editor) { if (delete this._diffEditors[editor.getId()]) { this._onDiffEditorRemove.fire(editor); } }; AbstractCodeEditorService.prototype.listDiffEditors = function () { var _this = this; return Object.keys(this._diffEditors).map(function (id) { return _this._diffEditors[id]; }); }; AbstractCodeEditorService.prototype.getFocusedCodeEditor = function () { var editorWithWidgetFocus = null; var editors = this.listCodeEditors(); for (var _i = 0, editors_1 = editors; _i < editors_1.length; _i++) { var editor = editors_1[_i]; if (editor.hasTextFocus()) { // bingo! return editor; } if (editor.hasWidgetFocus()) { editorWithWidgetFocus = editor; } } return editorWithWidgetFocus; }; return AbstractCodeEditorService; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2046: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return StandaloneThemeServiceImpl; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__ = __webpack_require__(1331); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_modes_supports_tokenization_js__ = __webpack_require__(2047); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_themes_js__ = __webpack_require__(2048); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__platform_registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__platform_theme_common_themeService_js__ = __webpack_require__(937); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var VS_THEME_NAME = 'vs'; var VS_DARK_THEME_NAME = 'vs-dark'; var HC_BLACK_THEME_NAME = 'hc-black'; var colorRegistry = __WEBPACK_IMPORTED_MODULE_6__platform_registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_7__platform_theme_common_colorRegistry_js__["a" /* Extensions */].ColorContribution); var themingRegistry = __WEBPACK_IMPORTED_MODULE_6__platform_registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_8__platform_theme_common_themeService_js__["a" /* Extensions */].ThemingContribution); var StandaloneTheme = /** @class */ (function () { function StandaloneTheme(name, standaloneThemeData) { this.themeData = standaloneThemeData; var base = standaloneThemeData.base; if (name.length > 0) { this.id = base + ' ' + name; this.themeName = name; } else { this.id = base; this.themeName = base; } this.colors = null; this.defaultColors = Object.create(null); this._tokenTheme = null; } Object.defineProperty(StandaloneTheme.prototype, "base", { get: function () { return this.themeData.base; }, enumerable: true, configurable: true }); StandaloneTheme.prototype.notifyBaseUpdated = function () { if (this.themeData.inherit) { this.colors = null; this._tokenTheme = null; } }; StandaloneTheme.prototype.getColors = function () { if (!this.colors) { var colors = Object.create(null); for (var id in this.themeData.colors) { colors[id] = __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex(this.themeData.colors[id]); } if (this.themeData.inherit) { var baseData = getBuiltinRules(this.themeData.base); for (var id in baseData.colors) { if (!colors[id]) { colors[id] = __WEBPACK_IMPORTED_MODULE_1__base_common_color_js__["a" /* Color */].fromHex(baseData.colors[id]); } } } this.colors = colors; } return this.colors; }; StandaloneTheme.prototype.getColor = function (colorId, useDefault) { var color = this.getColors()[colorId]; if (color) { return color; } if (useDefault !== false) { return this.getDefault(colorId); } return undefined; }; StandaloneTheme.prototype.getDefault = function (colorId) { var color = this.defaultColors[colorId]; if (color) { return color; } color = colorRegistry.resolveDefaultColor(colorId, this); this.defaultColors[colorId] = color; return color; }; StandaloneTheme.prototype.defines = function (colorId) { return Object.prototype.hasOwnProperty.call(this.getColors(), colorId); }; Object.defineProperty(StandaloneTheme.prototype, "type", { get: function () { switch (this.base) { case VS_THEME_NAME: return 'light'; case HC_BLACK_THEME_NAME: return 'hc'; default: return 'dark'; } }, enumerable: true, configurable: true }); Object.defineProperty(StandaloneTheme.prototype, "tokenTheme", { get: function () { if (!this._tokenTheme) { var rules = []; var encodedTokensColors = []; if (this.themeData.inherit) { var baseData = getBuiltinRules(this.themeData.base); rules = baseData.rules; if (baseData.encodedTokensColors) { encodedTokensColors = baseData.encodedTokensColors; } } rules = rules.concat(this.themeData.rules); if (this.themeData.encodedTokensColors) { encodedTokensColors = this.themeData.encodedTokensColors; } this._tokenTheme = __WEBPACK_IMPORTED_MODULE_4__common_modes_supports_tokenization_js__["a" /* TokenTheme */].createFromRawTokenTheme(rules, encodedTokensColors); } return this._tokenTheme; }, enumerable: true, configurable: true }); return StandaloneTheme; }()); function isBuiltinTheme(themeName) { return (themeName === VS_THEME_NAME || themeName === VS_DARK_THEME_NAME || themeName === HC_BLACK_THEME_NAME); } function getBuiltinRules(builtinTheme) { switch (builtinTheme) { case VS_THEME_NAME: return __WEBPACK_IMPORTED_MODULE_5__common_themes_js__["b" /* vs */]; case VS_DARK_THEME_NAME: return __WEBPACK_IMPORTED_MODULE_5__common_themes_js__["c" /* vs_dark */]; case HC_BLACK_THEME_NAME: return __WEBPACK_IMPORTED_MODULE_5__common_themes_js__["a" /* hc_black */]; } } function newBuiltInTheme(builtinTheme) { var themeData = getBuiltinRules(builtinTheme); return new StandaloneTheme(builtinTheme, themeData); } var StandaloneThemeServiceImpl = /** @class */ (function () { function StandaloneThemeServiceImpl() { this.environment = Object.create(null); this._onThemeChange = new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */](); this._onIconThemeChange = new __WEBPACK_IMPORTED_MODULE_2__base_common_event_js__["a" /* Emitter */](); this._knownThemes = new Map(); this._knownThemes.set(VS_THEME_NAME, newBuiltInTheme(VS_THEME_NAME)); this._knownThemes.set(VS_DARK_THEME_NAME, newBuiltInTheme(VS_DARK_THEME_NAME)); this._knownThemes.set(HC_BLACK_THEME_NAME, newBuiltInTheme(HC_BLACK_THEME_NAME)); this._styleElement = __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["o" /* createStyleSheet */](); this._styleElement.className = 'monaco-colors'; this.setTheme(VS_THEME_NAME); } Object.defineProperty(StandaloneThemeServiceImpl.prototype, "onThemeChange", { get: function () { return this._onThemeChange.event; }, enumerable: true, configurable: true }); StandaloneThemeServiceImpl.prototype.defineTheme = function (themeName, themeData) { if (!/^[a-z0-9\-]+$/i.test(themeName)) { throw new Error('Illegal theme name!'); } if (!isBuiltinTheme(themeData.base) && !isBuiltinTheme(themeName)) { throw new Error('Illegal theme base!'); } // set or replace theme this._knownThemes.set(themeName, new StandaloneTheme(themeName, themeData)); if (isBuiltinTheme(themeName)) { this._knownThemes.forEach(function (theme) { if (theme.base === themeName) { theme.notifyBaseUpdated(); } }); } if (this._theme && this._theme.themeName === themeName) { this.setTheme(themeName); // refresh theme } }; StandaloneThemeServiceImpl.prototype.getTheme = function () { return this._theme; }; StandaloneThemeServiceImpl.prototype.setTheme = function (themeName) { var _this = this; var theme; if (this._knownThemes.has(themeName)) { theme = this._knownThemes.get(themeName); } else { theme = this._knownThemes.get(VS_THEME_NAME); } if (this._theme === theme) { // Nothing to do return theme.id; } this._theme = theme; var cssRules = []; var hasRule = {}; var ruleCollector = { addRule: function (rule) { if (!hasRule[rule]) { cssRules.push(rule); hasRule[rule] = true; } } }; themingRegistry.getThemingParticipants().forEach(function (p) { return p(theme, ruleCollector, _this.environment); }); var tokenTheme = theme.tokenTheme; var colorMap = tokenTheme.getColorMap(); ruleCollector.addRule(Object(__WEBPACK_IMPORTED_MODULE_4__common_modes_supports_tokenization_js__["b" /* generateTokensCSSForColorMap */])(colorMap)); this._styleElement.innerHTML = cssRules.join('\n'); __WEBPACK_IMPORTED_MODULE_3__common_modes_js__["v" /* TokenizationRegistry */].setColorMap(colorMap); this._onThemeChange.fire(theme); return theme.id; }; StandaloneThemeServiceImpl.prototype.getIconTheme = function () { return { hasFileIcons: false, hasFolderIcons: false, hidesExplorerArrows: false }; }; return StandaloneThemeServiceImpl; }()); /***/ }), /***/ 2047: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ParsedTokenThemeRule */ /* unused harmony export parseTokenTheme */ /* unused harmony export ColorMap */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return TokenTheme; }); /* unused harmony export toStandardTokenType */ /* unused harmony export strcmp */ /* unused harmony export ThemeTrieElementRule */ /* unused harmony export ThemeTrieElement */ /* harmony export (immutable) */ __webpack_exports__["b"] = generateTokensCSSForColorMap; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_color_js__ = __webpack_require__(1331); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ParsedTokenThemeRule = /** @class */ (function () { function ParsedTokenThemeRule(token, index, fontStyle, foreground, background) { this.token = token; this.index = index; this.fontStyle = fontStyle; this.foreground = foreground; this.background = background; } return ParsedTokenThemeRule; }()); /** * Parse a raw theme into rules. */ function parseTokenTheme(source) { if (!source || !Array.isArray(source)) { return []; } var result = [], resultLen = 0; for (var i = 0, len = source.length; i < len; i++) { var entry = source[i]; var fontStyle = -1 /* NotSet */; if (typeof entry.fontStyle === 'string') { fontStyle = 0 /* None */; var segments = entry.fontStyle.split(' '); for (var j = 0, lenJ = segments.length; j < lenJ; j++) { var segment = segments[j]; switch (segment) { case 'italic': fontStyle = fontStyle | 1 /* Italic */; break; case 'bold': fontStyle = fontStyle | 2 /* Bold */; break; case 'underline': fontStyle = fontStyle | 4 /* Underline */; break; } } } var foreground = null; if (typeof entry.foreground === 'string') { foreground = entry.foreground; } var background = null; if (typeof entry.background === 'string') { background = entry.background; } result[resultLen++] = new ParsedTokenThemeRule(entry.token || '', i, fontStyle, foreground, background); } return result; } /** * Resolve rules (i.e. inheritance). */ function resolveParsedTokenThemeRules(parsedThemeRules, customTokenColors) { // Sort rules lexicographically, and then by index if necessary parsedThemeRules.sort(function (a, b) { var r = strcmp(a.token, b.token); if (r !== 0) { return r; } return a.index - b.index; }); // Determine defaults var defaultFontStyle = 0 /* None */; var defaultForeground = '000000'; var defaultBackground = 'ffffff'; while (parsedThemeRules.length >= 1 && parsedThemeRules[0].token === '') { var incomingDefaults = parsedThemeRules.shift(); if (incomingDefaults.fontStyle !== -1 /* NotSet */) { defaultFontStyle = incomingDefaults.fontStyle; } if (incomingDefaults.foreground !== null) { defaultForeground = incomingDefaults.foreground; } if (incomingDefaults.background !== null) { defaultBackground = incomingDefaults.background; } } var colorMap = new ColorMap(); // start with token colors from custom token themes for (var _i = 0, customTokenColors_1 = customTokenColors; _i < customTokenColors_1.length; _i++) { var color = customTokenColors_1[_i]; colorMap.getId(color); } var foregroundColorId = colorMap.getId(defaultForeground); var backgroundColorId = colorMap.getId(defaultBackground); var defaults = new ThemeTrieElementRule(defaultFontStyle, foregroundColorId, backgroundColorId); var root = new ThemeTrieElement(defaults); for (var i = 0, len = parsedThemeRules.length; i < len; i++) { var rule = parsedThemeRules[i]; root.insert(rule.token, rule.fontStyle, colorMap.getId(rule.foreground), colorMap.getId(rule.background)); } return new TokenTheme(colorMap, root); } var colorRegExp = /^#?([0-9A-Fa-f]{6})([0-9A-Fa-f]{2})?$/; var ColorMap = /** @class */ (function () { function ColorMap() { this._lastColorId = 0; this._id2color = []; this._color2id = new Map(); } ColorMap.prototype.getId = function (color) { if (color === null) { return 0; } var match = color.match(colorRegExp); if (!match) { throw new Error('Illegal value for token color: ' + color); } color = match[1].toUpperCase(); var value = this._color2id.get(color); if (value) { return value; } value = ++this._lastColorId; this._color2id.set(color, value); this._id2color[value] = __WEBPACK_IMPORTED_MODULE_0__base_common_color_js__["a" /* Color */].fromHex('#' + color); return value; }; ColorMap.prototype.getColorMap = function () { return this._id2color.slice(0); }; return ColorMap; }()); var TokenTheme = /** @class */ (function () { function TokenTheme(colorMap, root) { this._colorMap = colorMap; this._root = root; this._cache = new Map(); } TokenTheme.createFromRawTokenTheme = function (source, customTokenColors) { return this.createFromParsedTokenTheme(parseTokenTheme(source), customTokenColors); }; TokenTheme.createFromParsedTokenTheme = function (source, customTokenColors) { return resolveParsedTokenThemeRules(source, customTokenColors); }; TokenTheme.prototype.getColorMap = function () { return this._colorMap.getColorMap(); }; TokenTheme.prototype._match = function (token) { return this._root.match(token); }; TokenTheme.prototype.match = function (languageId, token) { // The cache contains the metadata without the language bits set. var result = this._cache.get(token); if (typeof result === 'undefined') { var rule = this._match(token); var standardToken = toStandardTokenType(token); result = (rule.metadata | (standardToken << 8 /* TOKEN_TYPE_OFFSET */)) >>> 0; this._cache.set(token, result); } return (result | (languageId << 0 /* LANGUAGEID_OFFSET */)) >>> 0; }; return TokenTheme; }()); var STANDARD_TOKEN_TYPE_REGEXP = /\b(comment|string|regex|regexp)\b/; function toStandardTokenType(tokenType) { var m = tokenType.match(STANDARD_TOKEN_TYPE_REGEXP); if (!m) { return 0 /* Other */; } switch (m[1]) { case 'comment': return 1 /* Comment */; case 'string': return 2 /* String */; case 'regex': return 4 /* RegEx */; case 'regexp': return 4 /* RegEx */; } throw new Error('Unexpected match for standard token type!'); } function strcmp(a, b) { if (a < b) { return -1; } if (a > b) { return 1; } return 0; } var ThemeTrieElementRule = /** @class */ (function () { function ThemeTrieElementRule(fontStyle, foreground, background) { this._fontStyle = fontStyle; this._foreground = foreground; this._background = background; this.metadata = ((this._fontStyle << 11 /* FONT_STYLE_OFFSET */) | (this._foreground << 14 /* FOREGROUND_OFFSET */) | (this._background << 23 /* BACKGROUND_OFFSET */)) >>> 0; } ThemeTrieElementRule.prototype.clone = function () { return new ThemeTrieElementRule(this._fontStyle, this._foreground, this._background); }; ThemeTrieElementRule.prototype.acceptOverwrite = function (fontStyle, foreground, background) { if (fontStyle !== -1 /* NotSet */) { this._fontStyle = fontStyle; } if (foreground !== 0 /* None */) { this._foreground = foreground; } if (background !== 0 /* None */) { this._background = background; } this.metadata = ((this._fontStyle << 11 /* FONT_STYLE_OFFSET */) | (this._foreground << 14 /* FOREGROUND_OFFSET */) | (this._background << 23 /* BACKGROUND_OFFSET */)) >>> 0; }; return ThemeTrieElementRule; }()); var ThemeTrieElement = /** @class */ (function () { function ThemeTrieElement(mainRule) { this._mainRule = mainRule; this._children = new Map(); } ThemeTrieElement.prototype.match = function (token) { if (token === '') { return this._mainRule; } var dotIndex = token.indexOf('.'); var head; var tail; if (dotIndex === -1) { head = token; tail = ''; } else { head = token.substring(0, dotIndex); tail = token.substring(dotIndex + 1); } var child = this._children.get(head); if (typeof child !== 'undefined') { return child.match(tail); } return this._mainRule; }; ThemeTrieElement.prototype.insert = function (token, fontStyle, foreground, background) { if (token === '') { // Merge into the main rule this._mainRule.acceptOverwrite(fontStyle, foreground, background); return; } var dotIndex = token.indexOf('.'); var head; var tail; if (dotIndex === -1) { head = token; tail = ''; } else { head = token.substring(0, dotIndex); tail = token.substring(dotIndex + 1); } var child = this._children.get(head); if (typeof child === 'undefined') { child = new ThemeTrieElement(this._mainRule.clone()); this._children.set(head, child); } child.insert(tail, fontStyle, foreground, background); }; return ThemeTrieElement; }()); function generateTokensCSSForColorMap(colorMap) { var rules = []; for (var i = 1, len = colorMap.length; i < len; i++) { var color = colorMap[i]; rules[i] = ".mtk" + i + " { color: " + color + "; }"; } rules.push('.mtki { font-style: italic; }'); rules.push('.mtkb { font-weight: bold; }'); rules.push('.mtku { text-decoration: underline; text-underline-position: under; }'); return rules.join('\n'); } /***/ }), /***/ 2048: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return vs; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return vs_dark; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return hc_black; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__ = __webpack_require__(1291); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var _a, _b, _c; /* -------------------------------- Begin vs theme -------------------------------- */ var vs = { base: 'vs', inherit: false, rules: [ { token: '', foreground: '000000', background: 'fffffe' }, { token: 'invalid', foreground: 'cd3131' }, { token: 'emphasis', fontStyle: 'italic' }, { token: 'strong', fontStyle: 'bold' }, { token: 'variable', foreground: '001188' }, { token: 'variable.predefined', foreground: '4864AA' }, { token: 'constant', foreground: 'dd0000' }, { token: 'comment', foreground: '008000' }, { token: 'number', foreground: '09885A' }, { token: 'number.hex', foreground: '3030c0' }, { token: 'regexp', foreground: '800000' }, { token: 'annotation', foreground: '808080' }, { token: 'type', foreground: '008080' }, { token: 'delimiter', foreground: '000000' }, { token: 'delimiter.html', foreground: '383838' }, { token: 'delimiter.xml', foreground: '0000FF' }, { token: 'tag', foreground: '800000' }, { token: 'tag.id.pug', foreground: '4F76AC' }, { token: 'tag.class.pug', foreground: '4F76AC' }, { token: 'meta.scss', foreground: '800000' }, { token: 'metatag', foreground: 'e00000' }, { token: 'metatag.content.html', foreground: 'FF0000' }, { token: 'metatag.html', foreground: '808080' }, { token: 'metatag.xml', foreground: '808080' }, { token: 'metatag.php', fontStyle: 'bold' }, { token: 'key', foreground: '863B00' }, { token: 'string.key.json', foreground: 'A31515' }, { token: 'string.value.json', foreground: '0451A5' }, { token: 'attribute.name', foreground: 'FF0000' }, { token: 'attribute.value', foreground: '0451A5' }, { token: 'attribute.value.number', foreground: '09885A' }, { token: 'attribute.value.unit', foreground: '09885A' }, { token: 'attribute.value.html', foreground: '0000FF' }, { token: 'attribute.value.xml', foreground: '0000FF' }, { token: 'string', foreground: 'A31515' }, { token: 'string.html', foreground: '0000FF' }, { token: 'string.sql', foreground: 'FF0000' }, { token: 'string.yaml', foreground: '0451A5' }, { token: 'keyword', foreground: '0000FF' }, { token: 'keyword.json', foreground: '0451A5' }, { token: 'keyword.flow', foreground: 'AF00DB' }, { token: 'keyword.flow.scss', foreground: '0000FF' }, { token: 'operator.scss', foreground: '666666' }, { token: 'operator.sql', foreground: '778899' }, { token: 'operator.swift', foreground: '666666' }, { token: 'predefined.sql', foreground: 'FF00FF' }, ], colors: (_a = {}, _a[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["n" /* editorBackground */]] = '#FFFFFE', _a[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["o" /* editorForeground */]] = '#000000', _a[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["p" /* editorInactiveSelection */]] = '#E5EBF1', _a[__WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__["i" /* editorIndentGuides */]] = '#D3D3D3', _a[__WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__["a" /* editorActiveIndentGuides */]] = '#939393', _a[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["s" /* editorSelectionHighlight */]] = '#ADD6FF4D', _a) }; /* -------------------------------- End vs theme -------------------------------- */ /* -------------------------------- Begin vs-dark theme -------------------------------- */ var vs_dark = { base: 'vs-dark', inherit: false, rules: [ { token: '', foreground: 'D4D4D4', background: '1E1E1E' }, { token: 'invalid', foreground: 'f44747' }, { token: 'emphasis', fontStyle: 'italic' }, { token: 'strong', fontStyle: 'bold' }, { token: 'variable', foreground: '74B0DF' }, { token: 'variable.predefined', foreground: '4864AA' }, { token: 'variable.parameter', foreground: '9CDCFE' }, { token: 'constant', foreground: '569CD6' }, { token: 'comment', foreground: '608B4E' }, { token: 'number', foreground: 'B5CEA8' }, { token: 'number.hex', foreground: '5BB498' }, { token: 'regexp', foreground: 'B46695' }, { token: 'annotation', foreground: 'cc6666' }, { token: 'type', foreground: '3DC9B0' }, { token: 'delimiter', foreground: 'DCDCDC' }, { token: 'delimiter.html', foreground: '808080' }, { token: 'delimiter.xml', foreground: '808080' }, { token: 'tag', foreground: '569CD6' }, { token: 'tag.id.pug', foreground: '4F76AC' }, { token: 'tag.class.pug', foreground: '4F76AC' }, { token: 'meta.scss', foreground: 'A79873' }, { token: 'meta.tag', foreground: 'CE9178' }, { token: 'metatag', foreground: 'DD6A6F' }, { token: 'metatag.content.html', foreground: '9CDCFE' }, { token: 'metatag.html', foreground: '569CD6' }, { token: 'metatag.xml', foreground: '569CD6' }, { token: 'metatag.php', fontStyle: 'bold' }, { token: 'key', foreground: '9CDCFE' }, { token: 'string.key.json', foreground: '9CDCFE' }, { token: 'string.value.json', foreground: 'CE9178' }, { token: 'attribute.name', foreground: '9CDCFE' }, { token: 'attribute.value', foreground: 'CE9178' }, { token: 'attribute.value.number.css', foreground: 'B5CEA8' }, { token: 'attribute.value.unit.css', foreground: 'B5CEA8' }, { token: 'attribute.value.hex.css', foreground: 'D4D4D4' }, { token: 'string', foreground: 'CE9178' }, { token: 'string.sql', foreground: 'FF0000' }, { token: 'keyword', foreground: '569CD6' }, { token: 'keyword.flow', foreground: 'C586C0' }, { token: 'keyword.json', foreground: 'CE9178' }, { token: 'keyword.flow.scss', foreground: '569CD6' }, { token: 'operator.scss', foreground: '909090' }, { token: 'operator.sql', foreground: '778899' }, { token: 'operator.swift', foreground: '909090' }, { token: 'predefined.sql', foreground: 'FF00FF' }, ], colors: (_b = {}, _b[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["n" /* editorBackground */]] = '#1E1E1E', _b[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["o" /* editorForeground */]] = '#D4D4D4', _b[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["p" /* editorInactiveSelection */]] = '#3A3D41', _b[__WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__["i" /* editorIndentGuides */]] = '#404040', _b[__WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__["a" /* editorActiveIndentGuides */]] = '#707070', _b[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["s" /* editorSelectionHighlight */]] = '#ADD6FF26', _b) }; /* -------------------------------- End vs-dark theme -------------------------------- */ /* -------------------------------- Begin hc-black theme -------------------------------- */ var hc_black = { base: 'hc-black', inherit: false, rules: [ { token: '', foreground: 'FFFFFF', background: '000000' }, { token: 'invalid', foreground: 'f44747' }, { token: 'emphasis', fontStyle: 'italic' }, { token: 'strong', fontStyle: 'bold' }, { token: 'variable', foreground: '1AEBFF' }, { token: 'variable.parameter', foreground: '9CDCFE' }, { token: 'constant', foreground: '569CD6' }, { token: 'comment', foreground: '608B4E' }, { token: 'number', foreground: 'FFFFFF' }, { token: 'regexp', foreground: 'C0C0C0' }, { token: 'annotation', foreground: '569CD6' }, { token: 'type', foreground: '3DC9B0' }, { token: 'delimiter', foreground: 'FFFF00' }, { token: 'delimiter.html', foreground: 'FFFF00' }, { token: 'tag', foreground: '569CD6' }, { token: 'tag.id.pug', foreground: '4F76AC' }, { token: 'tag.class.pug', foreground: '4F76AC' }, { token: 'meta', foreground: 'D4D4D4' }, { token: 'meta.tag', foreground: 'CE9178' }, { token: 'metatag', foreground: '569CD6' }, { token: 'metatag.content.html', foreground: '1AEBFF' }, { token: 'metatag.html', foreground: '569CD6' }, { token: 'metatag.xml', foreground: '569CD6' }, { token: 'metatag.php', fontStyle: 'bold' }, { token: 'key', foreground: '9CDCFE' }, { token: 'string.key', foreground: '9CDCFE' }, { token: 'string.value', foreground: 'CE9178' }, { token: 'attribute.name', foreground: '569CD6' }, { token: 'attribute.value', foreground: '3FF23F' }, { token: 'string', foreground: 'CE9178' }, { token: 'string.sql', foreground: 'FF0000' }, { token: 'keyword', foreground: '569CD6' }, { token: 'keyword.flow', foreground: 'C586C0' }, { token: 'operator.sql', foreground: '778899' }, { token: 'operator.swift', foreground: '909090' }, { token: 'predefined.sql', foreground: 'FF00FF' }, ], colors: (_c = {}, _c[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["n" /* editorBackground */]] = '#000000', _c[__WEBPACK_IMPORTED_MODULE_1__platform_theme_common_colorRegistry_js__["o" /* editorForeground */]] = '#FFFFFF', _c[__WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__["i" /* editorIndentGuides */]] = '#FFFFFF', _c[__WEBPACK_IMPORTED_MODULE_0__common_view_editorColorRegistry_js__["a" /* editorActiveIndentGuides */]] = '#FFFFFF', _c) }; /* -------------------------------- End hc-black theme -------------------------------- */ /***/ }), /***/ 2049: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export Context */ /* unused harmony export AbstractContextKeyService */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContextKeyService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__keybinding_common_keybindingResolver_js__ = __webpack_require__(1693); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var KEYBINDING_CONTEXT_ATTR = 'data-keybinding-context'; var Context = /** @class */ (function () { function Context(id, parent) { this._id = id; this._parent = parent; this._value = Object.create(null); this._value['_contextId'] = id; } Context.prototype.setValue = function (key, value) { // console.log('SET ' + key + ' = ' + value + ' ON ' + this._id); if (this._value[key] !== value) { this._value[key] = value; return true; } return false; }; Context.prototype.removeValue = function (key) { // console.log('REMOVE ' + key + ' FROM ' + this._id); if (key in this._value) { delete this._value[key]; return true; } return false; }; Context.prototype.getValue = function (key) { var ret = this._value[key]; if (typeof ret === 'undefined' && this._parent) { return this._parent.getValue(key); } return ret; }; return Context; }()); var NullContext = /** @class */ (function (_super) { __extends(NullContext, _super); function NullContext() { return _super.call(this, -1, null) || this; } NullContext.prototype.setValue = function (key, value) { return false; }; NullContext.prototype.removeValue = function (key) { return false; }; NullContext.prototype.getValue = function (key) { return undefined; }; NullContext.INSTANCE = new NullContext(); return NullContext; }(Context)); var ConfigAwareContextValuesContainer = /** @class */ (function (_super) { __extends(ConfigAwareContextValuesContainer, _super); function ConfigAwareContextValuesContainer(id, _configurationService, emitter) { var _this = _super.call(this, id, null) || this; _this._configurationService = _configurationService; _this._values = new Map(); _this._listener = _this._configurationService.onDidChangeConfiguration(function (event) { if (event.source === 4 /* DEFAULT */) { // new setting, reset everything var allKeys = Object(__WEBPACK_IMPORTED_MODULE_2__base_common_map_js__["d" /* keys */])(_this._values); _this._values.clear(); emitter.fire(allKeys); } else { var changedKeys = []; for (var _i = 0, _a = event.affectedKeys; _i < _a.length; _i++) { var configKey = _a[_i]; var contextKey = "config." + configKey; if (_this._values.has(contextKey)) { _this._values.delete(contextKey); changedKeys.push(contextKey); } } emitter.fire(changedKeys); } }); return _this; } ConfigAwareContextValuesContainer.prototype.dispose = function () { this._listener.dispose(); }; ConfigAwareContextValuesContainer.prototype.getValue = function (key) { if (key.indexOf(ConfigAwareContextValuesContainer._keyPrefix) !== 0) { return _super.prototype.getValue.call(this, key); } if (this._values.has(key)) { return this._values.get(key); } var configKey = key.substr(ConfigAwareContextValuesContainer._keyPrefix.length); var configValue = this._configurationService.getValue(configKey); var value = undefined; switch (typeof configValue) { case 'number': case 'boolean': case 'string': value = configValue; break; } this._values.set(key, value); return value; }; ConfigAwareContextValuesContainer.prototype.setValue = function (key, value) { return _super.prototype.setValue.call(this, key, value); }; ConfigAwareContextValuesContainer.prototype.removeValue = function (key) { return _super.prototype.removeValue.call(this, key); }; ConfigAwareContextValuesContainer._keyPrefix = 'config.'; return ConfigAwareContextValuesContainer; }(Context)); var ContextKey = /** @class */ (function () { function ContextKey(parent, key, defaultValue) { this._parent = parent; this._key = key; this._defaultValue = defaultValue; this.reset(); } ContextKey.prototype.set = function (value) { this._parent.setContext(this._key, value); }; ContextKey.prototype.reset = function () { if (typeof this._defaultValue === 'undefined') { this._parent.removeContext(this._key); } else { this._parent.setContext(this._key, this._defaultValue); } }; ContextKey.prototype.get = function () { return this._parent.getContextKeyValue(this._key); }; return ContextKey; }()); var SimpleContextKeyChangeEvent = /** @class */ (function () { function SimpleContextKeyChangeEvent(_key) { this._key = _key; } SimpleContextKeyChangeEvent.prototype.affectsSome = function (keys) { return keys.has(this._key); }; return SimpleContextKeyChangeEvent; }()); var ArrayContextKeyChangeEvent = /** @class */ (function () { function ArrayContextKeyChangeEvent(_keys) { this._keys = _keys; } ArrayContextKeyChangeEvent.prototype.affectsSome = function (keys) { for (var _i = 0, _a = this._keys; _i < _a.length; _i++) { var key = _a[_i]; if (keys.has(key)) { return true; } } return false; }; return ArrayContextKeyChangeEvent; }()); var AbstractContextKeyService = /** @class */ (function () { function AbstractContextKeyService(myContextId) { this._isDisposed = false; this._myContextId = myContextId; this._onDidChangeContextKey = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); } AbstractContextKeyService.prototype.createKey = function (key, defaultValue) { if (this._isDisposed) { throw new Error("AbstractContextKeyService has been disposed"); } return new ContextKey(this, key, defaultValue); }; Object.defineProperty(AbstractContextKeyService.prototype, "onDidChangeContext", { get: function () { if (!this._onDidChangeContext) { this._onDidChangeContext = __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["b" /* Event */].map(this._onDidChangeContextKey.event, (function (changedKeyOrKeys) { return typeof changedKeyOrKeys === 'string' ? new SimpleContextKeyChangeEvent(changedKeyOrKeys) : new ArrayContextKeyChangeEvent(changedKeyOrKeys); })); } return this._onDidChangeContext; }, enumerable: true, configurable: true }); AbstractContextKeyService.prototype.createScoped = function (domNode) { if (this._isDisposed) { throw new Error("AbstractContextKeyService has been disposed"); } return new ScopedContextKeyService(this, this._onDidChangeContextKey, domNode); }; AbstractContextKeyService.prototype.contextMatchesRules = function (rules) { if (this._isDisposed) { throw new Error("AbstractContextKeyService has been disposed"); } var context = this.getContextValuesContainer(this._myContextId); var result = __WEBPACK_IMPORTED_MODULE_6__keybinding_common_keybindingResolver_js__["a" /* KeybindingResolver */].contextMatchesRules(context, rules); // console.group(rules.serialize() + ' -> ' + result); // rules.keys().forEach(key => { console.log(key, ctx[key]); }); // console.groupEnd(); return result; }; AbstractContextKeyService.prototype.getContextKeyValue = function (key) { if (this._isDisposed) { return undefined; } return this.getContextValuesContainer(this._myContextId).getValue(key); }; AbstractContextKeyService.prototype.setContext = function (key, value) { if (this._isDisposed) { return; } var myContext = this.getContextValuesContainer(this._myContextId); if (!myContext) { return; } if (myContext.setValue(key, value)) { this._onDidChangeContextKey.fire(key); } }; AbstractContextKeyService.prototype.removeContext = function (key) { if (this._isDisposed) { return; } if (this.getContextValuesContainer(this._myContextId).removeValue(key)) { this._onDidChangeContextKey.fire(key); } }; AbstractContextKeyService.prototype.getContext = function (target) { if (this._isDisposed) { return NullContext.INSTANCE; } return this.getContextValuesContainer(findContextAttr(target)); }; return AbstractContextKeyService; }()); var ContextKeyService = /** @class */ (function (_super) { __extends(ContextKeyService, _super); function ContextKeyService(configurationService) { var _this = _super.call(this, 0) || this; _this._toDispose = []; _this._lastContextId = 0; _this._contexts = Object.create(null); var myContext = new ConfigAwareContextValuesContainer(_this._myContextId, configurationService, _this._onDidChangeContextKey); _this._contexts[String(_this._myContextId)] = myContext; _this._toDispose.push(myContext); return _this; // Uncomment this to see the contexts continuously logged // let lastLoggedValue: string | null = null; // setInterval(() => { // let values = Object.keys(this._contexts).map((key) => this._contexts[key]); // let logValue = values.map(v => JSON.stringify(v._value, null, '\t')).join('\n'); // if (lastLoggedValue !== logValue) { // lastLoggedValue = logValue; // console.log(lastLoggedValue); // } // }, 2000); } ContextKeyService.prototype.dispose = function () { this._isDisposed = true; this._toDispose = Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(this._toDispose); }; ContextKeyService.prototype.getContextValuesContainer = function (contextId) { if (this._isDisposed) { return NullContext.INSTANCE; } return this._contexts[String(contextId)]; }; ContextKeyService.prototype.createChildContext = function (parentContextId) { if (parentContextId === void 0) { parentContextId = this._myContextId; } if (this._isDisposed) { throw new Error("ContextKeyService has been disposed"); } var id = (++this._lastContextId); this._contexts[String(id)] = new Context(id, this.getContextValuesContainer(parentContextId)); return id; }; ContextKeyService.prototype.disposeContext = function (contextId) { if (this._isDisposed) { return; } delete this._contexts[String(contextId)]; }; ContextKeyService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_4__configuration_common_configuration_js__["a" /* IConfigurationService */]) ], ContextKeyService); return ContextKeyService; }(AbstractContextKeyService)); var ScopedContextKeyService = /** @class */ (function (_super) { __extends(ScopedContextKeyService, _super); function ScopedContextKeyService(parent, emitter, domNode) { var _this = _super.call(this, parent.createChildContext()) || this; _this._parent = parent; _this._onDidChangeContextKey = emitter; if (domNode) { _this._domNode = domNode; _this._domNode.setAttribute(KEYBINDING_CONTEXT_ATTR, String(_this._myContextId)); } return _this; } ScopedContextKeyService.prototype.dispose = function () { this._isDisposed = true; this._parent.disposeContext(this._myContextId); if (this._domNode) { this._domNode.removeAttribute(KEYBINDING_CONTEXT_ATTR); this._domNode = undefined; } }; Object.defineProperty(ScopedContextKeyService.prototype, "onDidChangeContext", { get: function () { return this._parent.onDidChangeContext; }, enumerable: true, configurable: true }); ScopedContextKeyService.prototype.getContextValuesContainer = function (contextId) { if (this._isDisposed) { return NullContext.INSTANCE; } return this._parent.getContextValuesContainer(contextId); }; ScopedContextKeyService.prototype.createChildContext = function (parentContextId) { if (parentContextId === void 0) { parentContextId = this._myContextId; } if (this._isDisposed) { throw new Error("ScopedContextKeyService has been disposed"); } return this._parent.createChildContext(parentContextId); }; ScopedContextKeyService.prototype.disposeContext = function (contextId) { if (this._isDisposed) { return; } this._parent.disposeContext(contextId); }; return ScopedContextKeyService; }(AbstractContextKeyService)); function findContextAttr(domNode) { while (domNode) { if (domNode.hasAttribute(KEYBINDING_CONTEXT_ATTR)) { var attr = domNode.getAttribute(KEYBINDING_CONTEXT_ATTR); if (attr) { return parseInt(attr, 10); } return NaN; } domNode = domNode.parentElement; } return 0; } __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__["a" /* CommandsRegistry */].registerCommand(__WEBPACK_IMPORTED_MODULE_5__common_contextkey_js__["e" /* SET_CONTEXT_COMMAND_ID */], function (accessor, contextKey, contextValue) { accessor.get(__WEBPACK_IMPORTED_MODULE_5__common_contextkey_js__["c" /* IContextKeyService */]).createKey(String(contextKey), contextValue); }); /***/ }), /***/ 2050: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContextMenuService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__contextMenuHandler_js__ = __webpack_require__(2051); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__contextView_js__ = __webpack_require__(1455); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__telemetry_common_telemetry_js__ = __webpack_require__(1448); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__notification_common_notification_js__ = __webpack_require__(1329); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__theme_common_themeService_js__ = __webpack_require__(937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__keybinding_common_keybinding_js__ = __webpack_require__(1400); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var ContextMenuService = /** @class */ (function (_super) { __extends(ContextMenuService, _super); function ContextMenuService(container, containedInWorkbench, telemetryService, notificationService, contextViewService, keybindingService, themeService) { var _this = _super.call(this) || this; _this._onDidContextMenu = _this._register(new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */]()); _this.contextMenuHandler = _this._register(new __WEBPACK_IMPORTED_MODULE_0__contextMenuHandler_js__["a" /* ContextMenuHandler */](container, containedInWorkbench, contextViewService, telemetryService, notificationService, keybindingService, themeService)); return _this; } ContextMenuService.prototype.dispose = function () { this.contextMenuHandler.dispose(); }; // ContextMenu ContextMenuService.prototype.showContextMenu = function (delegate) { this.contextMenuHandler.showContextMenu(delegate); this._onDidContextMenu.fire(); }; ContextMenuService = __decorate([ __param(2, __WEBPACK_IMPORTED_MODULE_2__telemetry_common_telemetry_js__["a" /* ITelemetryService */]), __param(3, __WEBPACK_IMPORTED_MODULE_4__notification_common_notification_js__["a" /* INotificationService */]), __param(4, __WEBPACK_IMPORTED_MODULE_1__contextView_js__["b" /* IContextViewService */]), __param(5, __WEBPACK_IMPORTED_MODULE_6__keybinding_common_keybinding_js__["a" /* IKeybindingService */]), __param(6, __WEBPACK_IMPORTED_MODULE_5__theme_common_themeService_js__["c" /* IThemeService */]) ], ContextMenuService); return ContextMenuService; }(__WEBPACK_IMPORTED_MODULE_7__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2051: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContextMenuHandler; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__contextMenuHandler_css__ = __webpack_require__(2052); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__contextMenuHandler_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__contextMenuHandler_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_browser_mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_actions_js__ = __webpack_require__(1396); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_browser_ui_menu_menu_js__ = __webpack_require__(2054); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__theme_common_styler_js__ = __webpack_require__(1717); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_browser_event_js__ = __webpack_require__(1357); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ContextMenuHandler = /** @class */ (function () { function ContextMenuHandler(element, _containedInWorkbench, contextViewService, telemetryService, notificationService, keybindingService, themeService) { this._containedInWorkbench = _containedInWorkbench; this.contextViewService = contextViewService; this.telemetryService = telemetryService; this.notificationService = notificationService; this.keybindingService = keybindingService; this.themeService = themeService; this.setContainer(element); } ContextMenuHandler.prototype.setContainer = function (container) { var _this = this; if (this.element) { this.elementDisposable = Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(this.elementDisposable); this.element = null; } if (container) { this.element = container; this.elementDisposable = Object(__WEBPACK_IMPORTED_MODULE_5__base_browser_dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__base_browser_dom_js__["c" /* EventType */].MOUSE_DOWN, function (e) { return _this.onMouseDown(e); }); } }; ContextMenuHandler.prototype.showContextMenu = function (delegate) { var _this = this; var actions = delegate.getActions(); if (!actions.length) { return; // Don't render an empty context menu } this.focusToReturn = document.activeElement; var menu; this.contextViewService.showContextView({ getAnchor: function () { return delegate.getAnchor(); }, canRelayout: false, anchorAlignment: delegate.anchorAlignment, render: function (container) { _this.menuContainerElement = container; var className = delegate.getMenuClassName ? delegate.getMenuClassName() : ''; if (className) { container.className += ' ' + className; } // Render invisible div to block mouse interaction in the rest of the UI if (_this._containedInWorkbench) { _this.block = container.appendChild(Object(__WEBPACK_IMPORTED_MODULE_5__base_browser_dom_js__["a" /* $ */])('.context-view-block')); } var menuDisposables = []; var actionRunner = delegate.actionRunner || new __WEBPACK_IMPORTED_MODULE_3__base_common_actions_js__["b" /* ActionRunner */](); actionRunner.onDidBeforeRun(_this.onActionRun, _this, menuDisposables); actionRunner.onDidRun(_this.onDidActionRun, _this, menuDisposables); menu = new __WEBPACK_IMPORTED_MODULE_4__base_browser_ui_menu_menu_js__["a" /* Menu */](container, actions, { actionItemProvider: delegate.getActionItem, context: delegate.getActionsContext ? delegate.getActionsContext() : null, actionRunner: actionRunner, getKeyBinding: delegate.getKeyBinding ? delegate.getKeyBinding : function (action) { return _this.keybindingService.lookupKeybinding(action.id); } }); menuDisposables.push(Object(__WEBPACK_IMPORTED_MODULE_6__theme_common_styler_js__["b" /* attachMenuStyler */])(menu, _this.themeService)); menu.onDidCancel(function () { return _this.contextViewService.hideContextView(true); }, null, menuDisposables); menu.onDidBlur(function () { return _this.contextViewService.hideContextView(true); }, null, menuDisposables); Object(__WEBPACK_IMPORTED_MODULE_7__base_browser_event_js__["a" /* domEvent */])(window, __WEBPACK_IMPORTED_MODULE_5__base_browser_dom_js__["c" /* EventType */].BLUR)(function () { _this.contextViewService.hideContextView(true); }, null, menuDisposables); return Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["c" /* combinedDisposable */])(menuDisposables.concat([menu])); }, focus: function () { if (menu) { menu.focus(!!delegate.autoSelectFirstItem); } }, onHide: function (didCancel) { if (delegate.onHide) { delegate.onHide(!!didCancel); } if (_this.block) { Object(__WEBPACK_IMPORTED_MODULE_5__base_browser_dom_js__["F" /* removeNode */])(_this.block); _this.block = null; } if (_this.focusToReturn) { _this.focusToReturn.focus(); } _this.menuContainerElement = null; } }); }; ContextMenuHandler.prototype.onActionRun = function (e) { if (this.telemetryService) { /* __GDPR__ "workbenchActionExecuted" : { "id" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" }, "from": { "classification": "SystemMetaData", "purpose": "FeatureInsight" } } */ this.telemetryService.publicLog('workbenchActionExecuted', { id: e.action.id, from: 'contextMenu' }); } this.contextViewService.hideContextView(false); // Restore focus here if (this.focusToReturn) { this.focusToReturn.focus(); } }; ContextMenuHandler.prototype.onDidActionRun = function (e) { if (e.error && this.notificationService) { this.notificationService.error(e.error); } }; ContextMenuHandler.prototype.onMouseDown = function (e) { if (!this.menuContainerElement) { return; } var event = new __WEBPACK_IMPORTED_MODULE_2__base_browser_mouseEvent_js__["a" /* StandardMouseEvent */](e); var element = event.target; while (element) { if (element === this.menuContainerElement) { return; } element = element.parentElement; } this.contextViewService.hideContextView(); }; ContextMenuHandler.prototype.dispose = function () { this.setContainer(null); }; return ContextMenuHandler; }()); /***/ }), /***/ 2052: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2053); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2053: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".context-view .monaco-menu{min-width:130px}.context-view-block{position:fixed;left:0;top:0;z-index:-1;width:100%;height:100%}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/platform/contextview/browser/contextMenuHandler.css"],"names":[],"mappings":"AAKA,2BACC,eAAiB,CACjB,AAED,oBACC,eAAgB,AAChB,OAAO,AACP,MAAM,AACN,WAAY,AACZ,WAAY,AACZ,WAAa,CACb","file":"contextMenuHandler.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.context-view .monaco-menu {\n\tmin-width: 130px;\n}\n\n.context-view-block {\n\tposition: fixed;\n\tleft:0;\n\ttop:0;\n\tz-index: -1;\n\twidth: 100%;\n\theight: 100%;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2054: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export MENU_MNEMONIC_REGEX */ /* unused harmony export MENU_ESCAPED_MNEMONIC_REGEX */ /* unused harmony export SubmenuAction */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Menu; }); /* unused harmony export cleanMnemonic */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__menu_css__ = __webpack_require__(2055); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__menu_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__menu_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_strings_js__ = __webpack_require__(847); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_actions_js__ = __webpack_require__(1396); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__actionbar_actionbar_js__ = __webpack_require__(1715); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__scrollbar_scrollableElement_js__ = __webpack_require__(1452); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__common_platform_js__ = __webpack_require__(894); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function createMenuMnemonicRegExp() { try { return new RegExp('\\(&([^\\s&])\\)|(?<!&)&([^\\s&])'); } catch (err) { return new RegExp('\uFFFF'); // never match please } } var MENU_MNEMONIC_REGEX = createMenuMnemonicRegExp(); function createMenuEscapedMnemonicRegExp() { try { return new RegExp('(?<!&)(?:&)([^\\s&])'); } catch (err) { return new RegExp('\uFFFF'); // never match please } } var MENU_ESCAPED_MNEMONIC_REGEX = createMenuEscapedMnemonicRegExp(); var SubmenuAction = /** @class */ (function (_super) { __extends(SubmenuAction, _super); function SubmenuAction(label, entries, cssClass) { var _this = _super.call(this, !!cssClass ? cssClass : 'submenu', label, '', true) || this; _this.entries = entries; return _this; } return SubmenuAction; }(__WEBPACK_IMPORTED_MODULE_3__common_actions_js__["a" /* Action */])); var Menu = /** @class */ (function (_super) { __extends(Menu, _super); function Menu(container, actions, options) { if (options === void 0) { options = {}; } var _this = this; Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(container, 'monaco-menu-container'); container.setAttribute('role', 'presentation'); var menuElement = document.createElement('div'); Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(menuElement, 'monaco-menu'); menuElement.setAttribute('role', 'presentation'); _this = _super.call(this, menuElement, { orientation: 2 /* VERTICAL */, actionItemProvider: function (action) { return _this.doGetActionItem(action, options, parentData); }, context: options.context, actionRunner: options.actionRunner, ariaLabel: options.ariaLabel, triggerKeys: { keys: [3 /* Enter */], keyDown: true } }) || this; _this.menuElement = menuElement; _this._onScroll = _this._register(new __WEBPACK_IMPORTED_MODULE_10__common_event_js__["a" /* Emitter */]()); _this.actionsList.setAttribute('role', 'menu'); _this.actionsList.tabIndex = 0; _this.menuDisposables = []; if (options.enableMnemonics) { _this.menuDisposables.push(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(menuElement, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_DOWN, function (e) { var key = e.key.toLocaleLowerCase(); if (_this.mnemonics.has(key)) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); var actions_1 = _this.mnemonics.get(key); if (actions_1.length === 1) { if (actions_1[0] instanceof SubmenuActionItem) { _this.focusItemByElement(actions_1[0].container); } actions_1[0].onClick(e); } if (actions_1.length > 1) { var action = actions_1.shift(); if (action) { _this.focusItemByElement(action.container); actions_1.push(action); } _this.mnemonics.set(key, actions_1); } } })); } if (__WEBPACK_IMPORTED_MODULE_11__common_platform_js__["c" /* isLinux */]) { _this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(menuElement, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_DOWN, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_6__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); if (event.equals(14 /* Home */) || event.equals(11 /* PageUp */)) { _this.focusedItem = _this.items.length - 1; _this.focusNext(); __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); } else if (event.equals(13 /* End */) || event.equals(12 /* PageDown */)) { _this.focusedItem = 0; _this.focusPrevious(); __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); } })); } _this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(_this.domNode, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_OUT, function (e) { var relatedTarget = e.relatedTarget; if (!Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["z" /* isAncestor */])(relatedTarget, _this.domNode)) { _this.focusedItem = undefined; _this.scrollTopHold = _this.menuElement.scrollTop; _this.updateFocus(); e.stopPropagation(); } })); _this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(_this.domNode, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_UP, function (e) { // Absorb clicks in menu dead space https://github.com/Microsoft/vscode/issues/63575 __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); })); _this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(_this.actionsList, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_OVER, function (e) { var target = e.target; if (!target || !Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["z" /* isAncestor */])(target, _this.actionsList) || target === _this.actionsList) { return; } while (target.parentElement !== _this.actionsList && target.parentElement !== null) { target = target.parentElement; } if (Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["x" /* hasClass */])(target, 'action-item')) { var lastFocusedItem = _this.focusedItem; _this.scrollTopHold = _this.menuElement.scrollTop; _this.setFocusedItem(target); if (lastFocusedItem !== _this.focusedItem) { _this.updateFocus(); } } })); var parentData = { parent: _this }; _this.mnemonics = new Map(); _this.push(actions, { icon: true, label: true, isMenu: true }); // Scroll Logic _this.scrollableElement = _this._register(new __WEBPACK_IMPORTED_MODULE_9__scrollbar_scrollableElement_js__["a" /* DomScrollableElement */](menuElement, { alwaysConsumeMouseWheel: true, horizontal: 2 /* Hidden */, vertical: 3 /* Visible */, verticalScrollbarSize: 7, handleMouseWheel: true, useShadows: true })); var scrollElement = _this.scrollableElement.getDomNode(); scrollElement.style.position = null; menuElement.style.maxHeight = Math.max(10, window.innerHeight - container.getBoundingClientRect().top - 30) + "px"; _this.scrollableElement.onScroll(function () { _this._onScroll.fire(); }, _this, _this.menuDisposables); _this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(_this.menuElement, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].SCROLL, function (e) { if (_this.scrollTopHold !== undefined) { _this.menuElement.scrollTop = _this.scrollTopHold; _this.scrollTopHold = undefined; } _this.scrollableElement.scanDomNode(); })); container.appendChild(_this.scrollableElement.getDomNode()); _this.scrollableElement.scanDomNode(); _this.items.filter(function (item) { return !(item instanceof MenuSeparatorActionItem); }).forEach(function (item, index, array) { item.updatePositionInSet(index + 1, array.length); }); return _this; } Menu.prototype.style = function (style) { var container = this.getContainer(); var fgColor = style.foregroundColor ? "" + style.foregroundColor : null; var bgColor = style.backgroundColor ? "" + style.backgroundColor : null; var border = style.borderColor ? "2px solid " + style.borderColor : null; var shadow = style.shadowColor ? "0 2px 4px " + style.shadowColor : null; container.style.border = border; this.domNode.style.color = fgColor; this.domNode.style.backgroundColor = bgColor; container.style.boxShadow = shadow; if (this.items) { this.items.forEach(function (item) { if (item instanceof MenuActionItem || item instanceof MenuSeparatorActionItem) { item.style(style); } }); } }; Menu.prototype.getContainer = function () { return this.scrollableElement.getDomNode(); }; Object.defineProperty(Menu.prototype, "onScroll", { get: function () { return this._onScroll.event; }, enumerable: true, configurable: true }); Object.defineProperty(Menu.prototype, "scrollOffset", { get: function () { return this.menuElement.scrollTop; }, enumerable: true, configurable: true }); Menu.prototype.focusItemByElement = function (element) { var lastFocusedItem = this.focusedItem; this.setFocusedItem(element); if (lastFocusedItem !== this.focusedItem) { this.updateFocus(); } }; Menu.prototype.setFocusedItem = function (element) { for (var i = 0; i < this.actionsList.children.length; i++) { var elem = this.actionsList.children[i]; if (element === elem) { this.focusedItem = i; break; } } }; Menu.prototype.doGetActionItem = function (action, options, parentData) { if (action instanceof __WEBPACK_IMPORTED_MODULE_4__actionbar_actionbar_js__["d" /* Separator */]) { return new MenuSeparatorActionItem(options.context, action, { icon: true }); } else if (action instanceof SubmenuAction) { var menuActionItem = new SubmenuActionItem(action, action.entries, parentData, options); if (options.enableMnemonics) { var mnemonic = menuActionItem.getMnemonic(); if (mnemonic && menuActionItem.isEnabled()) { var actionItems = []; if (this.mnemonics.has(mnemonic)) { actionItems = this.mnemonics.get(mnemonic); } actionItems.push(menuActionItem); this.mnemonics.set(mnemonic, actionItems); } } return menuActionItem; } else { var menuItemOptions = { enableMnemonics: options.enableMnemonics }; if (options.getKeyBinding) { var keybinding = options.getKeyBinding(action); if (keybinding) { var keybindingLabel = keybinding.getLabel(); if (keybindingLabel) { menuItemOptions.keybinding = keybindingLabel; } } } var menuActionItem = new MenuActionItem(options.context, action, menuItemOptions); if (options.enableMnemonics) { var mnemonic = menuActionItem.getMnemonic(); if (mnemonic && menuActionItem.isEnabled()) { var actionItems = []; if (this.mnemonics.has(mnemonic)) { actionItems = this.mnemonics.get(mnemonic); } actionItems.push(menuActionItem); this.mnemonics.set(mnemonic, actionItems); } } return menuActionItem; } }; return Menu; }(__WEBPACK_IMPORTED_MODULE_4__actionbar_actionbar_js__["a" /* ActionBar */])); var MenuActionItem = /** @class */ (function (_super) { __extends(MenuActionItem, _super); function MenuActionItem(ctx, action, options) { if (options === void 0) { options = {}; } var _this = this; options.isMenu = true; _this = _super.call(this, action, action, options) || this; _this.options = options; _this.options.icon = options.icon !== undefined ? options.icon : false; _this.options.label = options.label !== undefined ? options.label : true; _this.cssClass = ''; // Set mnemonic if (_this.options.label && options.enableMnemonics) { var label = _this.getAction().label; if (label) { var matches = MENU_MNEMONIC_REGEX.exec(label); if (matches) { _this.mnemonic = (!!matches[1] ? matches[1] : matches[2]).toLocaleLowerCase(); } } } return _this; } MenuActionItem.prototype.render = function (container) { var _this = this; _super.prototype.render.call(this, container); if (!this.element) { return; } this.container = container; this.item = Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */])(this.element, Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */])('a.action-menu-item')); if (this._action.id === __WEBPACK_IMPORTED_MODULE_4__actionbar_actionbar_js__["d" /* Separator */].ID) { // A separator is a presentation item this.item.setAttribute('role', 'presentation'); } else { this.item.setAttribute('role', 'menuitem'); if (this.mnemonic) { this.item.setAttribute('aria-keyshortcuts', "" + this.mnemonic); } } this.check = Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */])(this.item, Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */])('span.menu-item-check')); this.check.setAttribute('role', 'none'); this.label = Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */])(this.item, Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */])('span.action-label')); if (this.options.label && this.options.keybinding) { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */])(this.item, Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */])('span.keybinding')).textContent = this.options.keybinding; } this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_UP, function (e) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); _this.onClick(e); })); this.updateClass(); this.updateLabel(); this.updateTooltip(); this.updateEnabled(); this.updateChecked(); }; MenuActionItem.prototype.blur = function () { _super.prototype.blur.call(this); this.applyStyle(); }; MenuActionItem.prototype.focus = function () { _super.prototype.focus.call(this); this.item.focus(); this.applyStyle(); }; MenuActionItem.prototype.updatePositionInSet = function (pos, setSize) { this.item.setAttribute('aria-posinset', "" + pos); this.item.setAttribute('aria-setsize', "" + setSize); }; MenuActionItem.prototype.updateLabel = function () { if (this.options.label) { var label = this.getAction().label; if (label) { var cleanLabel = cleanMnemonic(label); if (!this.options.enableMnemonics) { label = cleanLabel; } this.label.setAttribute('aria-label', cleanLabel.replace(/&&/g, '&')); var matches = MENU_MNEMONIC_REGEX.exec(label); if (matches) { label = __WEBPACK_IMPORTED_MODULE_2__common_strings_js__["l" /* escape */](label).replace(MENU_ESCAPED_MNEMONIC_REGEX, '<u aria-hidden="true">$1</u>'); label = label.replace(/&&/g, '&'); this.item.setAttribute('aria-keyshortcuts', (!!matches[1] ? matches[1] : matches[2]).toLocaleLowerCase()); } else { label = label.replace(/&&/g, '&'); } } this.label.innerHTML = label.trim(); } }; MenuActionItem.prototype.updateTooltip = function () { var title = null; if (this.getAction().tooltip) { title = this.getAction().tooltip; } else if (!this.options.label && this.getAction().label && this.options.icon) { title = this.getAction().label; if (this.options.keybinding) { title = __WEBPACK_IMPORTED_MODULE_1__nls_js__["a" /* localize */]({ key: 'titleLabel', comment: ['action title', 'action keybinding'] }, "{0} ({1})", title, this.options.keybinding); } } if (title) { this.item.title = title; } }; MenuActionItem.prototype.updateClass = function () { if (this.cssClass) { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["E" /* removeClasses */])(this.item, this.cssClass); } if (this.options.icon) { this.cssClass = this.getAction().class || ''; Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(this.label, 'icon'); if (this.cssClass) { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["f" /* addClasses */])(this.label, this.cssClass); } this.updateEnabled(); } else { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */])(this.label, 'icon'); } }; MenuActionItem.prototype.updateEnabled = function () { if (this.getAction().enabled) { if (this.element) { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */])(this.element, 'disabled'); } Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */])(this.item, 'disabled'); this.item.tabIndex = 0; } else { if (this.element) { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(this.element, 'disabled'); } Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(this.item, 'disabled'); Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["G" /* removeTabIndexAndUpdateFocus */])(this.item); } }; MenuActionItem.prototype.updateChecked = function () { if (this.getAction().checked) { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(this.item, 'checked'); this.item.setAttribute('role', 'menuitemcheckbox'); this.item.setAttribute('aria-checked', 'true'); } else { Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["D" /* removeClass */])(this.item, 'checked'); this.item.setAttribute('role', 'menuitem'); this.item.setAttribute('aria-checked', 'false'); } }; MenuActionItem.prototype.getMnemonic = function () { return this.mnemonic; }; MenuActionItem.prototype.applyStyle = function () { if (!this.menuStyle) { return; } var isSelected = this.element && Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["x" /* hasClass */])(this.element, 'focused'); var fgColor = isSelected && this.menuStyle.selectionForegroundColor ? this.menuStyle.selectionForegroundColor : this.menuStyle.foregroundColor; var bgColor = isSelected && this.menuStyle.selectionBackgroundColor ? this.menuStyle.selectionBackgroundColor : this.menuStyle.backgroundColor; var border = isSelected && this.menuStyle.selectionBorderColor ? "1px solid " + this.menuStyle.selectionBorderColor : null; this.item.style.color = fgColor ? "" + fgColor : null; this.check.style.backgroundColor = fgColor ? "" + fgColor : null; this.item.style.backgroundColor = bgColor ? "" + bgColor : null; this.container.style.border = border; }; MenuActionItem.prototype.style = function (style) { this.menuStyle = style; this.applyStyle(); }; return MenuActionItem; }(__WEBPACK_IMPORTED_MODULE_4__actionbar_actionbar_js__["c" /* BaseActionItem */])); var SubmenuActionItem = /** @class */ (function (_super) { __extends(SubmenuActionItem, _super); function SubmenuActionItem(action, submenuActions, parentData, submenuOptions) { var _this = _super.call(this, action, action, submenuOptions) || this; _this.submenuActions = submenuActions; _this.parentData = parentData; _this.submenuOptions = submenuOptions; _this.submenuDisposables = []; _this.showScheduler = new __WEBPACK_IMPORTED_MODULE_7__common_async_js__["c" /* RunOnceScheduler */](function () { if (_this.mouseOver) { _this.cleanupExistingSubmenu(false); _this.createSubmenu(false); } }, 250); _this.hideScheduler = new __WEBPACK_IMPORTED_MODULE_7__common_async_js__["c" /* RunOnceScheduler */](function () { if (_this.element && (!Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["z" /* isAncestor */])(document.activeElement, _this.element) && _this.parentData.submenu === _this.mysubmenu)) { _this.parentData.parent.focus(false); _this.cleanupExistingSubmenu(true); } }, 750); return _this; } SubmenuActionItem.prototype.render = function (container) { var _this = this; _super.prototype.render.call(this, container); if (!this.element) { return; } Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["e" /* addClass */])(this.item, 'monaco-submenu-item'); this.item.setAttribute('aria-haspopup', 'true'); this.submenuIndicator = Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */])(this.item, Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */])('span.submenu-indicator')); this.submenuIndicator.setAttribute('aria-hidden', 'true'); this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_UP, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_6__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); if (event.equals(17 /* RightArrow */) || event.equals(3 /* Enter */)) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); _this.createSubmenu(true); } })); this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_DOWN, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_6__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); if (event.equals(17 /* RightArrow */) || event.equals(3 /* Enter */)) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); } })); this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_OVER, function (e) { if (!_this.mouseOver) { _this.mouseOver = true; _this.showScheduler.schedule(); } })); this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].MOUSE_LEAVE, function (e) { _this.mouseOver = false; })); this._register(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.element, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].FOCUS_OUT, function (e) { if (_this.element && !Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["z" /* isAncestor */])(document.activeElement, _this.element)) { _this.hideScheduler.schedule(); } })); this._register(this.parentData.parent.onScroll(function () { _this.parentData.parent.focus(false); _this.cleanupExistingSubmenu(false); })); }; SubmenuActionItem.prototype.onClick = function (e) { // stop clicking from trying to run an action __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); this.cleanupExistingSubmenu(false); this.createSubmenu(false); }; SubmenuActionItem.prototype.cleanupExistingSubmenu = function (force) { if (this.parentData.submenu && (force || (this.parentData.submenu !== this.mysubmenu))) { this.parentData.submenu.dispose(); this.parentData.submenu = undefined; if (this.submenuContainer) { this.submenuDisposables = Object(__WEBPACK_IMPORTED_MODULE_8__common_lifecycle_js__["d" /* dispose */])(this.submenuDisposables); this.submenuContainer = undefined; } } }; SubmenuActionItem.prototype.createSubmenu = function (selectFirstItem) { var _this = this; if (selectFirstItem === void 0) { selectFirstItem = true; } if (!this.element) { return; } if (!this.parentData.submenu) { this.submenuContainer = Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["l" /* append */])(this.element, Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["a" /* $ */])('div.monaco-submenu')); Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["f" /* addClasses */])(this.submenuContainer, 'menubar-menu-items-holder', 'context-view'); this.parentData.submenu = new Menu(this.submenuContainer, this.submenuActions, this.submenuOptions); if (this.menuStyle) { this.parentData.submenu.style(this.menuStyle); } var boundingRect = this.element.getBoundingClientRect(); var childBoundingRect = this.submenuContainer.getBoundingClientRect(); var computedStyles = getComputedStyle(this.parentData.parent.domNode); var paddingTop = parseFloat(computedStyles.paddingTop || '0') || 0; if (window.innerWidth <= boundingRect.right + childBoundingRect.width) { this.submenuContainer.style.left = '10px'; this.submenuContainer.style.top = this.element.offsetTop - this.parentData.parent.scrollOffset + boundingRect.height + "px"; } else { this.submenuContainer.style.left = this.element.offsetWidth + "px"; this.submenuContainer.style.top = this.element.offsetTop - this.parentData.parent.scrollOffset - paddingTop + "px"; } this.submenuDisposables.push(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.submenuContainer, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_UP, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_6__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); if (event.equals(15 /* LeftArrow */)) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); _this.parentData.parent.focus(); if (_this.parentData.submenu) { _this.parentData.submenu.dispose(); _this.parentData.submenu = undefined; } _this.submenuDisposables = Object(__WEBPACK_IMPORTED_MODULE_8__common_lifecycle_js__["d" /* dispose */])(_this.submenuDisposables); _this.submenuContainer = undefined; } })); this.submenuDisposables.push(Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["g" /* addDisposableListener */])(this.submenuContainer, __WEBPACK_IMPORTED_MODULE_5__dom_js__["c" /* EventType */].KEY_DOWN, function (e) { var event = new __WEBPACK_IMPORTED_MODULE_6__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e); if (event.equals(15 /* LeftArrow */)) { __WEBPACK_IMPORTED_MODULE_5__dom_js__["b" /* EventHelper */].stop(e, true); } })); this.submenuDisposables.push(this.parentData.submenu.onDidCancel(function () { _this.parentData.parent.focus(); if (_this.parentData.submenu) { _this.parentData.submenu.dispose(); _this.parentData.submenu = undefined; } _this.submenuDisposables = Object(__WEBPACK_IMPORTED_MODULE_8__common_lifecycle_js__["d" /* dispose */])(_this.submenuDisposables); _this.submenuContainer = undefined; })); this.parentData.submenu.focus(selectFirstItem); this.mysubmenu = this.parentData.submenu; } else { this.parentData.submenu.focus(false); } }; SubmenuActionItem.prototype.applyStyle = function () { _super.prototype.applyStyle.call(this); if (!this.menuStyle) { return; } var isSelected = this.element && Object(__WEBPACK_IMPORTED_MODULE_5__dom_js__["x" /* hasClass */])(this.element, 'focused'); var fgColor = isSelected && this.menuStyle.selectionForegroundColor ? this.menuStyle.selectionForegroundColor : this.menuStyle.foregroundColor; this.submenuIndicator.style.backgroundColor = fgColor ? "" + fgColor : null; if (this.parentData.submenu) { this.parentData.submenu.style(this.menuStyle); } }; SubmenuActionItem.prototype.dispose = function () { _super.prototype.dispose.call(this); this.hideScheduler.dispose(); if (this.mysubmenu) { this.mysubmenu.dispose(); this.mysubmenu = null; } if (this.submenuContainer) { this.submenuDisposables = Object(__WEBPACK_IMPORTED_MODULE_8__common_lifecycle_js__["d" /* dispose */])(this.submenuDisposables); this.submenuContainer = undefined; } }; return SubmenuActionItem; }(MenuActionItem)); var MenuSeparatorActionItem = /** @class */ (function (_super) { __extends(MenuSeparatorActionItem, _super); function MenuSeparatorActionItem() { return _super !== null && _super.apply(this, arguments) || this; } MenuSeparatorActionItem.prototype.style = function (style) { this.label.style.borderBottomColor = style.separatorColor ? "" + style.separatorColor : null; }; return MenuSeparatorActionItem; }(__WEBPACK_IMPORTED_MODULE_4__actionbar_actionbar_js__["b" /* ActionItem */])); function cleanMnemonic(label) { var regex = MENU_MNEMONIC_REGEX; var matches = regex.exec(label); if (!matches) { return label; } var mnemonicInText = matches[0].charAt(0) === '&'; return label.replace(regex, mnemonicInText ? '$2' : '').trim(); } /***/ }), /***/ 2055: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2056); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2056: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-menu .monaco-action-bar.vertical{margin-left:0;overflow:visible}.monaco-menu .monaco-action-bar.vertical .actions-container{display:block}.monaco-menu .monaco-action-bar.vertical .action-item{padding:0;display:-ms-flexbox;display:flex}.monaco-menu .monaco-action-bar.vertical .action-item,.monaco-menu .monaco-action-bar.vertical .action-item.active{-webkit-transform:none;-ms-transform:none;transform:none}.monaco-menu .monaco-action-bar.vertical .action-menu-item{-ms-flex:1 1 auto;flex:1 1 auto;display:-ms-flexbox;display:flex;height:2em;-ms-flex-align:center;align-items:center;position:relative}.monaco-menu .monaco-action-bar.vertical .action-label{-ms-flex:1 1 auto;flex:1 1 auto;text-decoration:none;padding:0 1em;background:none;font-size:12px;line-height:1}.monaco-menu .monaco-action-bar.vertical .keybinding,.monaco-menu .monaco-action-bar.vertical .submenu-indicator{display:inline-block;-ms-flex:2 1 auto;flex:2 1 auto;padding:0 1em;text-align:right;font-size:12px;line-height:1}.monaco-menu .monaco-action-bar.vertical .submenu-indicator{height:100%;-webkit-mask:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTQiIGhlaWdodD0iMTQiIHZpZXdCb3g9IjAgMCAxNCAxNCIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTQuNTIwNTEgMTIuMzY0M0w5Ljg3NzkzIDdMNC41MjA1MSAxLjYzNTc0Mkw1LjEzNTc0IDEuMDIwNTA3OEwxMS4xMjIxIDdMNS4xMzU3NCAxMi45Nzk1TDQuNTIwNTEgMTIuMzY0M1oiIGZpbGw9ImJsYWNrIi8+Cjwvc3ZnPgo=\") no-repeat 90% 50%/13px 13px;mask:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTQiIGhlaWdodD0iMTQiIHZpZXdCb3g9IjAgMCAxNCAxNCIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTQuNTIwNTEgMTIuMzY0M0w5Ljg3NzkzIDdMNC41MjA1MSAxLjYzNTc0Mkw1LjEzNTc0IDEuMDIwNTA3OEwxMS4xMjIxIDdMNS4xMzU3NCAxMi45Nzk1TDQuNTIwNTEgMTIuMzY0M1oiIGZpbGw9ImJsYWNrIi8+Cjwvc3ZnPgo=\") no-repeat 90% 50%/13px 13px}.monaco-menu .monaco-action-bar.vertical .action-item.disabled .keybinding,.monaco-menu .monaco-action-bar.vertical .action-item.disabled .submenu-indicator{opacity:.4}.monaco-menu .monaco-action-bar.vertical .action-label:not(.separator){display:inline-block;-webkit-box-sizing:border-box;-o-box-sizing:border-box;-ms-box-sizing:border-box;box-sizing:border-box;margin:0}.monaco-menu .monaco-action-bar.vertical .action-item{position:static;overflow:visible}.monaco-menu .monaco-action-bar.vertical .action-item .monaco-submenu{position:absolute}.monaco-menu .monaco-action-bar.vertical .action-label.separator{padding:.5em 0 0;margin-bottom:.5em;width:100%}.monaco-menu .monaco-action-bar.vertical .action-label.separator.text{padding:.7em 1em .1em;font-weight:700;opacity:1}.monaco-menu .monaco-action-bar.vertical .action-label:hover{color:inherit}.monaco-menu .monaco-action-bar.vertical .menu-item-check{position:absolute;visibility:hidden;-webkit-mask:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iLTIgLTIgMTYgMTYiIGVuYWJsZS1iYWNrZ3JvdW5kPSJuZXcgLTIgLTIgMTYgMTYiPjxwb2x5Z29uIGZpbGw9IiM0MjQyNDIiIHBvaW50cz0iOSwwIDQuNSw5IDMsNiAwLDYgMywxMiA2LDEyIDEyLDAiLz48L3N2Zz4=\") no-repeat 50% 56%/15px 15px;mask:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iLTIgLTIgMTYgMTYiIGVuYWJsZS1iYWNrZ3JvdW5kPSJuZXcgLTIgLTIgMTYgMTYiPjxwb2x5Z29uIGZpbGw9IiM0MjQyNDIiIHBvaW50cz0iOSwwIDQuNSw5IDMsNiAwLDYgMywxMiA2LDEyIDEyLDAiLz48L3N2Zz4=\") no-repeat 50% 56%/15px 15px;width:1em;height:100%}.monaco-menu .monaco-action-bar.vertical .action-menu-item.checked .menu-item-check{visibility:visible}.context-view.monaco-menu-container{outline:0;border:none;-webkit-animation:fadeIn 83ms linear;animation:fadeIn 83ms linear}.context-view.monaco-menu-container .monaco-action-bar.vertical:focus,.context-view.monaco-menu-container .monaco-action-bar.vertical :focus,.context-view.monaco-menu-container :focus{outline:0}.monaco-menu .monaco-action-bar.vertical .action-item{border:1px solid transparent}.hc-black .context-view.monaco-menu-container{-webkit-box-shadow:none;box-shadow:none}.hc-black .monaco-menu .monaco-action-bar.vertical .action-item.focused{background:none}.menubar{display:-ms-flexbox;display:flex;-ms-flex-negative:1;flex-shrink:1;-webkit-box-sizing:border-box;box-sizing:border-box;height:30px;overflow:hidden;-ms-flex-wrap:wrap;flex-wrap:wrap}.fullscreen .menubar{margin:0;padding:0 5px}.menubar>.menubar-menu-button{-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;padding:0 8px;cursor:default;-webkit-app-region:no-drag;zoom:1;white-space:nowrap;outline:0}.menubar .menubar-menu-items-holder{position:absolute;left:0;opacity:1;z-index:2000}.menubar .menubar-menu-items-holder.monaco-menu-container{outline:0;border:none}.menubar .menubar-menu-items-holder.monaco-menu-container :focus{outline:0}.menubar .toolbar-toggle-more{background-position:50%;background-repeat:no-repeat;background-size:14px;width:20px;height:100%;display:inline-block;padding:0;-webkit-mask:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PGRlZnM+PHN0eWxlPi5pY29uLWNhbnZhcy10cmFuc3BhcmVudCwuaWNvbi12cy1vdXR7ZmlsbDojZjZmNmY2O30uaWNvbi1jYW52YXMtdHJhbnNwYXJlbnR7b3BhY2l0eTowO30uaWNvbi12cy1iZ3tmaWxsOiM0MjQyNDI7fTwvc3R5bGU+PC9kZWZzPjx0aXRsZT5FbGxpcHNpc19ib2xkXzE2eDwvdGl0bGU+PGcgaWQ9ImNhbnZhcyI+PHBhdGggY2xhc3M9Imljb24tY2FudmFzLXRyYW5zcGFyZW50IiBkPSJNMTYsMFYxNkgwVjBaIi8+PC9nPjxnIGlkPSJvdXRsaW5lIiBzdHlsZT0iZGlzcGxheTogbm9uZTsiPjxwYXRoIGNsYXNzPSJpY29uLXZzLW91dCIgZD0iTTYsNy41QTIuNSwyLjUsMCwxLDEsMy41LDUsMi41LDIuNSwwLDAsMSw2LDcuNVpNOC41LDVBMi41LDIuNSwwLDEsMCwxMSw3LjUsMi41LDIuNSwwLDAsMCw4LjUsNVptNSwwQTIuNSwyLjUsMCwxLDAsMTYsNy41LDIuNSwyLjUsMCwwLDAsMTMuNSw1WiIgc3R5bGU9ImRpc3BsYXk6IG5vbmU7Ii8+PC9nPjxnIGlkPSJpY29uQmciPjxwYXRoIGNsYXNzPSJpY29uLXZzLWJnIiBkPSJNNSw3LjVBMS41LDEuNSwwLDEsMSwzLjUsNiwxLjUsMS41LDAsMCwxLDUsNy41Wk04LjUsNkExLjUsMS41LDAsMSwwLDEwLDcuNSwxLjUsMS41LDAsMCwwLDguNSw2Wm01LDBBMS41LDEuNSwwLDEsMCwxNSw3LjUsMS41LDEuNSwwLDAsMCwxMy41LDZaIi8+PC9nPjwvc3ZnPg==\") no-repeat 50% 55%/14px 14px;mask:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PGRlZnM+PHN0eWxlPi5pY29uLWNhbnZhcy10cmFuc3BhcmVudCwuaWNvbi12cy1vdXR7ZmlsbDojZjZmNmY2O30uaWNvbi1jYW52YXMtdHJhbnNwYXJlbnR7b3BhY2l0eTowO30uaWNvbi12cy1iZ3tmaWxsOiM0MjQyNDI7fTwvc3R5bGU+PC9kZWZzPjx0aXRsZT5FbGxpcHNpc19ib2xkXzE2eDwvdGl0bGU+PGcgaWQ9ImNhbnZhcyI+PHBhdGggY2xhc3M9Imljb24tY2FudmFzLXRyYW5zcGFyZW50IiBkPSJNMTYsMFYxNkgwVjBaIi8+PC9nPjxnIGlkPSJvdXRsaW5lIiBzdHlsZT0iZGlzcGxheTogbm9uZTsiPjxwYXRoIGNsYXNzPSJpY29uLXZzLW91dCIgZD0iTTYsNy41QTIuNSwyLjUsMCwxLDEsMy41LDUsMi41LDIuNSwwLDAsMSw2LDcuNVpNOC41LDVBMi41LDIuNSwwLDEsMCwxMSw3LjUsMi41LDIuNSwwLDAsMCw4LjUsNVptNSwwQTIuNSwyLjUsMCwxLDAsMTYsNy41LDIuNSwyLjUsMCwwLDAsMTMuNSw1WiIgc3R5bGU9ImRpc3BsYXk6IG5vbmU7Ii8+PC9nPjxnIGlkPSJpY29uQmciPjxwYXRoIGNsYXNzPSJpY29uLXZzLWJnIiBkPSJNNSw3LjVBMS41LDEuNSwwLDEsMSwzLjUsNiwxLjUsMS41LDAsMCwxLDUsNy41Wk04LjUsNkExLjUsMS41LDAsMSwwLDEwLDcuNSwxLjUsMS41LDAsMCwwLDguNSw2Wm01LDBBMS41LDEuNSwwLDEsMCwxNSw3LjUsMS41LDEuNSwwLDAsMCwxMy41LDZaIi8+PC9nPjwvc3ZnPg==\") no-repeat 50% 55%/14px 14px}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/menu/menu.css"],"names":[],"mappings":"AAKA,yCACC,cAAe,AACf,gBAAkB,CAClB,AAED,4DACC,aAAe,CACf,AAED,sDACC,UAAW,AAIX,oBAAqB,AACrB,YAAc,CACd,AAED,mHAPC,uBAAwB,AACpB,mBAAoB,AAChB,cAAgB,CASxB,AAED,2DACC,kBAAmB,AACnB,cAAe,AACf,oBAAqB,AACrB,aAAc,AACd,WAAY,AACZ,sBAAuB,AACnB,mBAAoB,AACxB,iBAAmB,CACnB,AAED,uDACC,kBAAmB,AACnB,cAAe,AACf,qBAAsB,AACtB,cAAe,AACf,gBAAiB,AACjB,eAAgB,AAChB,aAAe,CACf,AAED,iHAEC,qBAAsB,AACtB,kBAAmB,AACnB,cAAe,AACf,cAAe,AACf,iBAAkB,AAClB,eAAgB,AAChB,aAAe,CACf,AAED,4DACC,YAAa,AACb,mYAAoY,AACpY,0XAA4X,CAC5X,AAED,6JAEC,UAAa,CACb,AAED,uEACC,qBAAsB,AACtB,8BAA+B,AAC/B,yBAA2B,AAC3B,0BAA4B,AAC5B,sBAAyB,AACzB,QAAU,CACV,AAED,sDACC,gBAAiB,AACjB,gBAAkB,CAClB,AAGD,sEACC,iBAAmB,CACnB,AAED,iEACC,iBAAqB,AACrB,mBAAqB,AACrB,UAAY,CACZ,AAED,sEACC,sBAA6B,AAC7B,gBAAkB,AAClB,SAAW,CACX,AAED,6DACC,aAAe,CACf,AAED,0DACC,kBAAmB,AACnB,kBAAmB,AACnB,+UAAgV,AAChV,uUAAwU,AACxU,UAAW,AACX,WAAa,CACb,AAED,oFACC,kBAAoB,CACpB,AAID,oCACC,UAAW,AACX,YAAa,AACb,qCAAwC,AACxC,4BAAgC,CAChC,AAED,wLAGC,SAAW,CACX,AAED,sDACC,4BAA8B,CAC9B,AAID,8CACC,wBAAyB,AACjB,eAAiB,CACzB,AAED,wEACC,eAAiB,CACjB,AAID,SACC,oBAAqB,AACrB,aAAc,AACd,oBAAqB,AACjB,cAAe,AACnB,8BAA+B,AACvB,sBAAuB,AAC/B,YAAa,AACb,gBAAiB,AACjB,mBAAoB,AAChB,cAAgB,CACpB,AAED,qBACC,SAAY,AACZ,aAAiB,CACjB,AAED,8BACC,sBAAuB,AACnB,mBAAoB,AACxB,8BAA+B,AACvB,sBAAuB,AAC/B,cAAiB,AACjB,eAAgB,AAChB,2BAA4B,AAC5B,OAAQ,AACR,mBAAoB,AACpB,SAAW,CACX,AAED,oCACC,kBAAmB,AACnB,OAAU,AACV,UAAW,AACX,YAAc,CACd,AAED,0DACC,UAAW,AACX,WAAa,CACb,AAED,iEACC,SAAW,CACX,AAED,8BACC,wBAA4B,AAC5B,4BAA6B,AAC7B,qBAAsB,AACtB,WAAY,AACZ,YAAa,AAIb,qBAAsB,AACtB,UAAW,AACX,mjCAAojC,AACpjC,0iCAA4iC,CAN5iC","file":"menu.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-menu .monaco-action-bar.vertical {\n\tmargin-left: 0;\n\toverflow: visible;\n}\n\n.monaco-menu .monaco-action-bar.vertical .actions-container {\n\tdisplay: block;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-item {\n\tpadding: 0;\n\t-webkit-transform: none;\n\t -ms-transform: none;\n\t transform: none;\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-item.active {\n\t-webkit-transform: none;\n\t -ms-transform: none;\n\t transform: none;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-menu-item {\n\t-ms-flex: 1 1 auto;\n\tflex: 1 1 auto;\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\theight: 2em;\n\t-ms-flex-align: center;\n\t align-items: center;\n\tposition: relative;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-label {\n\t-ms-flex: 1 1 auto;\n\tflex: 1 1 auto;\n\ttext-decoration: none;\n\tpadding: 0 1em;\n\tbackground: none;\n\tfont-size: 12px;\n\tline-height: 1;\n}\n\n.monaco-menu .monaco-action-bar.vertical .keybinding,\n.monaco-menu .monaco-action-bar.vertical .submenu-indicator {\n\tdisplay: inline-block;\n\t-ms-flex: 2 1 auto;\n\tflex: 2 1 auto;\n\tpadding: 0 1em;\n\ttext-align: right;\n\tfont-size: 12px;\n\tline-height: 1;\n}\n\n.monaco-menu .monaco-action-bar.vertical .submenu-indicator {\n\theight: 100%;\n\t-webkit-mask: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTQiIGhlaWdodD0iMTQiIHZpZXdCb3g9IjAgMCAxNCAxNCIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTQuNTIwNTEgMTIuMzY0M0w5Ljg3NzkzIDdMNC41MjA1MSAxLjYzNTc0Mkw1LjEzNTc0IDEuMDIwNTA3OEwxMS4xMjIxIDdMNS4xMzU3NCAxMi45Nzk1TDQuNTIwNTEgMTIuMzY0M1oiIGZpbGw9ImJsYWNrIi8+Cjwvc3ZnPgo=\") no-repeat 90% 50%/13px 13px;\n\tmask: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTQiIGhlaWdodD0iMTQiIHZpZXdCb3g9IjAgMCAxNCAxNCIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTQuNTIwNTEgMTIuMzY0M0w5Ljg3NzkzIDdMNC41MjA1MSAxLjYzNTc0Mkw1LjEzNTc0IDEuMDIwNTA3OEwxMS4xMjIxIDdMNS4xMzU3NCAxMi45Nzk1TDQuNTIwNTEgMTIuMzY0M1oiIGZpbGw9ImJsYWNrIi8+Cjwvc3ZnPgo=\") no-repeat 90% 50%/13px 13px;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-item.disabled .keybinding,\n.monaco-menu .monaco-action-bar.vertical .action-item.disabled .submenu-indicator {\n\topacity: 0.4;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-label:not(.separator) {\n\tdisplay: inline-block;\n\t-webkit-box-sizing:\tborder-box;\n\t-o-box-sizing:\t\tborder-box;\n\t-ms-box-sizing:\t\tborder-box;\n\tbox-sizing:\t\t\tborder-box;\n\tmargin: 0;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-item {\n\tposition: static;\n\toverflow: visible;\n}\n\n\n.monaco-menu .monaco-action-bar.vertical .action-item .monaco-submenu {\n\tposition: absolute;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-label.separator {\n\tpadding: 0.5em 0 0 0;\n\tmargin-bottom: 0.5em;\n\twidth: 100%;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-label.separator.text {\n\tpadding: 0.7em 1em 0.1em 1em;\n\tfont-weight: bold;\n\topacity: 1;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-label:hover {\n\tcolor: inherit;\n}\n\n.monaco-menu .monaco-action-bar.vertical .menu-item-check {\n\tposition: absolute;\n\tvisibility: hidden;\n\t-webkit-mask: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iLTIgLTIgMTYgMTYiIGVuYWJsZS1iYWNrZ3JvdW5kPSJuZXcgLTIgLTIgMTYgMTYiPjxwb2x5Z29uIGZpbGw9IiM0MjQyNDIiIHBvaW50cz0iOSwwIDQuNSw5IDMsNiAwLDYgMywxMiA2LDEyIDEyLDAiLz48L3N2Zz4=\") no-repeat 50% 56%/15px 15px;\n\tmask: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iLTIgLTIgMTYgMTYiIGVuYWJsZS1iYWNrZ3JvdW5kPSJuZXcgLTIgLTIgMTYgMTYiPjxwb2x5Z29uIGZpbGw9IiM0MjQyNDIiIHBvaW50cz0iOSwwIDQuNSw5IDMsNiAwLDYgMywxMiA2LDEyIDEyLDAiLz48L3N2Zz4=\") no-repeat 50% 56%/15px 15px;\n\twidth: 1em;\n\theight: 100%;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-menu-item.checked .menu-item-check {\n\tvisibility: visible;\n}\n\n/* Context Menu */\n\n.context-view.monaco-menu-container {\n\toutline: 0;\n\tborder: none;\n\t-webkit-animation: fadeIn 0.083s linear;\n\tanimation: fadeIn 0.083s linear;\n}\n\n.context-view.monaco-menu-container :focus,\n.context-view.monaco-menu-container .monaco-action-bar.vertical:focus,\n.context-view.monaco-menu-container .monaco-action-bar.vertical :focus {\n\toutline: 0;\n}\n\n.monaco-menu .monaco-action-bar.vertical .action-item {\n\tborder: 1px solid transparent; /* prevents jumping behaviour on hover or focus */\n}\n\n\n/* High Contrast Theming */\n.hc-black .context-view.monaco-menu-container {\n\t-webkit-box-shadow: none;\n\t box-shadow: none;\n}\n\n.hc-black .monaco-menu .monaco-action-bar.vertical .action-item.focused {\n\tbackground: none;\n}\n\n/* Menubar styles */\n\n.menubar {\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\t-ms-flex-negative: 1;\n\t flex-shrink: 1;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\theight: 30px;\n\toverflow: hidden;\n\t-ms-flex-wrap: wrap;\n\t flex-wrap: wrap;\n}\n\n.fullscreen .menubar {\n\tmargin: 0px;\n\tpadding: 0px 5px;\n}\n\n.menubar > .menubar-menu-button {\n\t-ms-flex-align: center;\n\t align-items: center;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\tpadding: 0px 8px;\n\tcursor: default;\n\t-webkit-app-region: no-drag;\n\tzoom: 1;\n\twhite-space: nowrap;\n\toutline: 0;\n}\n\n.menubar .menubar-menu-items-holder {\n\tposition: absolute;\n\tleft: 0px;\n\topacity: 1;\n\tz-index: 2000;\n}\n\n.menubar .menubar-menu-items-holder.monaco-menu-container {\n\toutline: 0;\n\tborder: none;\n}\n\n.menubar .menubar-menu-items-holder.monaco-menu-container :focus {\n\toutline: 0;\n}\n\n.menubar .toolbar-toggle-more {\n\tbackground-position: center;\n\tbackground-repeat: no-repeat;\n\tbackground-size: 14px;\n\twidth: 20px;\n\theight: 100%;\n}\n\n.menubar .toolbar-toggle-more {\n\tdisplay: inline-block;\n\tpadding: 0;\n\t-webkit-mask: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PGRlZnM+PHN0eWxlPi5pY29uLWNhbnZhcy10cmFuc3BhcmVudCwuaWNvbi12cy1vdXR7ZmlsbDojZjZmNmY2O30uaWNvbi1jYW52YXMtdHJhbnNwYXJlbnR7b3BhY2l0eTowO30uaWNvbi12cy1iZ3tmaWxsOiM0MjQyNDI7fTwvc3R5bGU+PC9kZWZzPjx0aXRsZT5FbGxpcHNpc19ib2xkXzE2eDwvdGl0bGU+PGcgaWQ9ImNhbnZhcyI+PHBhdGggY2xhc3M9Imljb24tY2FudmFzLXRyYW5zcGFyZW50IiBkPSJNMTYsMFYxNkgwVjBaIi8+PC9nPjxnIGlkPSJvdXRsaW5lIiBzdHlsZT0iZGlzcGxheTogbm9uZTsiPjxwYXRoIGNsYXNzPSJpY29uLXZzLW91dCIgZD0iTTYsNy41QTIuNSwyLjUsMCwxLDEsMy41LDUsMi41LDIuNSwwLDAsMSw2LDcuNVpNOC41LDVBMi41LDIuNSwwLDEsMCwxMSw3LjUsMi41LDIuNSwwLDAsMCw4LjUsNVptNSwwQTIuNSwyLjUsMCwxLDAsMTYsNy41LDIuNSwyLjUsMCwwLDAsMTMuNSw1WiIgc3R5bGU9ImRpc3BsYXk6IG5vbmU7Ii8+PC9nPjxnIGlkPSJpY29uQmciPjxwYXRoIGNsYXNzPSJpY29uLXZzLWJnIiBkPSJNNSw3LjVBMS41LDEuNSwwLDEsMSwzLjUsNiwxLjUsMS41LDAsMCwxLDUsNy41Wk04LjUsNkExLjUsMS41LDAsMSwwLDEwLDcuNSwxLjUsMS41LDAsMCwwLDguNSw2Wm01LDBBMS41LDEuNSwwLDEsMCwxNSw3LjUsMS41LDEuNSwwLDAsMCwxMy41LDZaIi8+PC9nPjwvc3ZnPg==\") no-repeat 50% 55%/14px 14px;\n\tmask: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PGRlZnM+PHN0eWxlPi5pY29uLWNhbnZhcy10cmFuc3BhcmVudCwuaWNvbi12cy1vdXR7ZmlsbDojZjZmNmY2O30uaWNvbi1jYW52YXMtdHJhbnNwYXJlbnR7b3BhY2l0eTowO30uaWNvbi12cy1iZ3tmaWxsOiM0MjQyNDI7fTwvc3R5bGU+PC9kZWZzPjx0aXRsZT5FbGxpcHNpc19ib2xkXzE2eDwvdGl0bGU+PGcgaWQ9ImNhbnZhcyI+PHBhdGggY2xhc3M9Imljb24tY2FudmFzLXRyYW5zcGFyZW50IiBkPSJNMTYsMFYxNkgwVjBaIi8+PC9nPjxnIGlkPSJvdXRsaW5lIiBzdHlsZT0iZGlzcGxheTogbm9uZTsiPjxwYXRoIGNsYXNzPSJpY29uLXZzLW91dCIgZD0iTTYsNy41QTIuNSwyLjUsMCwxLDEsMy41LDUsMi41LDIuNSwwLDAsMSw2LDcuNVpNOC41LDVBMi41LDIuNSwwLDEsMCwxMSw3LjUsMi41LDIuNSwwLDAsMCw4LjUsNVptNSwwQTIuNSwyLjUsMCwxLDAsMTYsNy41LDIuNSwyLjUsMCwwLDAsMTMuNSw1WiIgc3R5bGU9ImRpc3BsYXk6IG5vbmU7Ii8+PC9nPjxnIGlkPSJpY29uQmciPjxwYXRoIGNsYXNzPSJpY29uLXZzLWJnIiBkPSJNNSw3LjVBMS41LDEuNSwwLDEsMSwzLjUsNiwxLjUsMS41LDAsMCwxLDUsNy41Wk04LjUsNkExLjUsMS41LDAsMSwwLDEwLDcuNSwxLjUsMS41LDAsMCwwLDguNSw2Wm01LDBBMS41LDEuNSwwLDEsMCwxNSw3LjUsMS41LDEuNSwwLDAsMCwxMy41LDZaIi8+PC9nPjwvc3ZnPg==\") no-repeat 50% 55%/14px 14px;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2057: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContextViewService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_ui_contextview_contextview_js__ = __webpack_require__(2058); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__telemetry_common_telemetry_js__ = __webpack_require__(1448); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__log_common_log_js__ = __webpack_require__(1718); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__ = __webpack_require__(825); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var ContextViewService = /** @class */ (function (_super) { __extends(ContextViewService, _super); function ContextViewService(container, telemetryService, logService) { var _this = _super.call(this) || this; _this.logService = logService; _this.contextView = _this._register(new __WEBPACK_IMPORTED_MODULE_0__base_browser_ui_contextview_contextview_js__["a" /* ContextView */](container)); return _this; } // ContextView ContextViewService.prototype.setContainer = function (container) { this.logService.trace('ContextViewService#setContainer'); this.contextView.setContainer(container); }; ContextViewService.prototype.showContextView = function (delegate) { this.logService.trace('ContextViewService#showContextView'); this.contextView.show(delegate); }; ContextViewService.prototype.layout = function () { this.contextView.layout(); }; ContextViewService.prototype.hideContextView = function (data) { this.logService.trace('ContextViewService#hideContextView'); this.contextView.hide(data); }; ContextViewService = __decorate([ __param(1, __WEBPACK_IMPORTED_MODULE_1__telemetry_common_telemetry_js__["a" /* ITelemetryService */]), __param(2, __WEBPACK_IMPORTED_MODULE_2__log_common_log_js__["a" /* ILogService */]) ], ContextViewService); return ContextViewService; }(__WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2058: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export layout */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ContextView; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__contextview_css__ = __webpack_require__(2059); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__contextview_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__contextview_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_range_js__ = __webpack_require__(1583); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); /** * Lays out a one dimensional view next to an anchor in a viewport. * * @returns The view offset within the viewport. */ function layout(viewportSize, viewSize, anchor) { var anchorEnd = anchor.offset + anchor.size; if (anchor.position === 0 /* Before */) { if (viewSize <= viewportSize - anchorEnd) { return anchorEnd; // happy case, lay it out after the anchor } if (viewSize <= anchor.offset) { return anchor.offset - viewSize; // ok case, lay it out before the anchor } return Math.max(viewportSize - viewSize, 0); // sad case, lay it over the anchor } else { if (viewSize <= anchor.offset) { return anchor.offset - viewSize; // happy case, lay it out before the anchor } if (viewSize <= viewportSize - anchorEnd) { return anchorEnd; // ok case, lay it out after the anchor } return 0; // sad case, lay it over the anchor } } var ContextView = /** @class */ (function (_super) { __extends(ContextView, _super); function ContextView(container) { var _this = _super.call(this) || this; _this.view = __WEBPACK_IMPORTED_MODULE_1__dom_js__["a" /* $ */]('.context-view'); __WEBPACK_IMPORTED_MODULE_1__dom_js__["y" /* hide */](_this.view); _this.setContainer(container); _this._register(Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["e" /* toDisposable */])(function () { return _this.setContainer(null); })); return _this; } ContextView.prototype.setContainer = function (container) { var _this = this; if (this.container) { this.toDisposeOnSetContainer = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.toDisposeOnSetContainer); this.container.removeChild(this.view); this.container = null; } if (container) { this.container = container; this.container.appendChild(this.view); var toDisposeOnSetContainer_1 = []; ContextView.BUBBLE_UP_EVENTS.forEach(function (event) { toDisposeOnSetContainer_1.push(__WEBPACK_IMPORTED_MODULE_1__dom_js__["j" /* addStandardDisposableListener */](_this.container, event, function (e) { _this.onDOMEvent(e, document.activeElement, false); })); }); ContextView.BUBBLE_DOWN_EVENTS.forEach(function (event) { toDisposeOnSetContainer_1.push(__WEBPACK_IMPORTED_MODULE_1__dom_js__["j" /* addStandardDisposableListener */](_this.container, event, function (e) { _this.onDOMEvent(e, document.activeElement, true); }, true)); }); this.toDisposeOnSetContainer = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["c" /* combinedDisposable */])(toDisposeOnSetContainer_1); } }; ContextView.prototype.show = function (delegate) { if (this.isVisible()) { this.hide(); } // Show static box __WEBPACK_IMPORTED_MODULE_1__dom_js__["m" /* clearNode */](this.view); this.view.className = 'context-view'; this.view.style.top = '0px'; this.view.style.left = '0px'; __WEBPACK_IMPORTED_MODULE_1__dom_js__["L" /* show */](this.view); // Render content this.toDisposeOnClean = delegate.render(this.view); // Set active delegate this.delegate = delegate; // Layout this.doLayout(); // Focus if (this.delegate.focus) { this.delegate.focus(); } }; ContextView.prototype.layout = function () { if (!this.isVisible()) { return; } if (this.delegate.canRelayout === false) { this.hide(); return; } if (this.delegate.layout) { this.delegate.layout(); } this.doLayout(); }; ContextView.prototype.doLayout = function () { // Check that we still have a delegate - this.delegate.layout may have hidden if (!this.isVisible()) { return; } // Get anchor var anchor = this.delegate.getAnchor(); // Compute around var around; // Get the element's position and size (to anchor the view) if (__WEBPACK_IMPORTED_MODULE_1__dom_js__["A" /* isHTMLElement */](anchor)) { var elementPosition = __WEBPACK_IMPORTED_MODULE_1__dom_js__["s" /* getDomNodePagePosition */](anchor); around = { top: elementPosition.top, left: elementPosition.left, width: elementPosition.width, height: elementPosition.height }; } else { var realAnchor = anchor; around = { top: realAnchor.y, left: realAnchor.x, width: realAnchor.width || 1, height: realAnchor.height || 2 }; } var viewSizeWidth = __WEBPACK_IMPORTED_MODULE_1__dom_js__["w" /* getTotalWidth */](this.view); var viewSizeHeight = __WEBPACK_IMPORTED_MODULE_1__dom_js__["v" /* getTotalHeight */](this.view); var anchorPosition = this.delegate.anchorPosition || 0 /* BELOW */; var anchorAlignment = this.delegate.anchorAlignment || 0 /* LEFT */; var verticalAnchor = { offset: around.top - window.pageYOffset, size: around.height, position: anchorPosition === 0 /* BELOW */ ? 0 /* Before */ : 1 /* After */ }; var horizontalAnchor; if (anchorAlignment === 0 /* LEFT */) { horizontalAnchor = { offset: around.left, size: 0, position: 0 /* Before */ }; } else { horizontalAnchor = { offset: around.left + around.width, size: 0, position: 1 /* After */ }; } var top = layout(window.innerHeight, viewSizeHeight, verticalAnchor) + window.pageYOffset; // if view intersects vertically with anchor, shift it horizontally if (__WEBPACK_IMPORTED_MODULE_3__common_range_js__["a" /* Range */].intersects({ start: top, end: top + viewSizeHeight }, { start: verticalAnchor.offset, end: verticalAnchor.offset + verticalAnchor.size })) { horizontalAnchor.size = around.width; } var left = layout(window.innerWidth, viewSizeWidth, horizontalAnchor); __WEBPACK_IMPORTED_MODULE_1__dom_js__["E" /* removeClasses */](this.view, 'top', 'bottom', 'left', 'right'); __WEBPACK_IMPORTED_MODULE_1__dom_js__["e" /* addClass */](this.view, anchorPosition === 0 /* BELOW */ ? 'bottom' : 'top'); __WEBPACK_IMPORTED_MODULE_1__dom_js__["e" /* addClass */](this.view, anchorAlignment === 0 /* LEFT */ ? 'left' : 'right'); var containerPosition = __WEBPACK_IMPORTED_MODULE_1__dom_js__["s" /* getDomNodePagePosition */](this.container); this.view.style.top = top - containerPosition.top + "px"; this.view.style.left = left - containerPosition.left + "px"; this.view.style.width = 'initial'; }; ContextView.prototype.hide = function (data) { if (this.delegate && this.delegate.onHide) { this.delegate.onHide(data); } this.delegate = null; if (this.toDisposeOnClean) { this.toDisposeOnClean.dispose(); this.toDisposeOnClean = null; } __WEBPACK_IMPORTED_MODULE_1__dom_js__["y" /* hide */](this.view); }; ContextView.prototype.isVisible = function () { return !!this.delegate; }; ContextView.prototype.onDOMEvent = function (e, element, onCapture) { if (this.delegate) { if (this.delegate.onDOMEvent) { this.delegate.onDOMEvent(e, document.activeElement); } else if (onCapture && !__WEBPACK_IMPORTED_MODULE_1__dom_js__["z" /* isAncestor */](e.target, this.container)) { this.hide(); } } }; ContextView.prototype.dispose = function () { this.hide(); _super.prototype.dispose.call(this); }; ContextView.BUBBLE_UP_EVENTS = ['click', 'keydown', 'focus', 'blur']; ContextView.BUBBLE_DOWN_EVENTS = ['click']; return ContextView; }(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2059: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2060); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2060: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".context-view{position:absolute;z-index:2000}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/contextview/contextview.css"],"names":[],"mappings":"AAKA,cACC,kBAAmB,AACnB,YAAc,CACd","file":"contextview.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.context-view {\n\tposition: absolute;\n\tz-index: 2000;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2061: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IDialogService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); var IDialogService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('dialogService'); /***/ }), /***/ 2062: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return InstantiationService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__graph_js__ = __webpack_require__(2063); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__descriptors_js__ = __webpack_require__(1719); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__serviceCollection_js__ = __webpack_require__(1453); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); // TRACING var _enableTracing = false; var InstantiationService = /** @class */ (function () { function InstantiationService(services, strict, parent) { if (services === void 0) { services = new __WEBPACK_IMPORTED_MODULE_5__serviceCollection_js__["a" /* ServiceCollection */](); } if (strict === void 0) { strict = false; } this._services = services; this._strict = strict; this._parent = parent; this._services.set(__WEBPACK_IMPORTED_MODULE_4__instantiation_js__["a" /* IInstantiationService */], this); } InstantiationService.prototype.createChild = function (services) { return new InstantiationService(services, this._strict, this); }; InstantiationService.prototype.invokeFunction = function (fn) { var _this = this; var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } var _trace = Trace.traceInvocation(fn); var _done = false; try { var accessor = { get: function (id, isOptional) { if (_done) { throw Object(__WEBPACK_IMPORTED_MODULE_0__base_common_errors_js__["c" /* illegalState */])('service accessor is only valid during the invocation of its target method'); } var result = _this._getOrCreateServiceInstance(id, _trace); if (!result && isOptional !== __WEBPACK_IMPORTED_MODULE_4__instantiation_js__["d" /* optional */]) { throw new Error("[invokeFunction] unknown service '" + id + "'"); } return result; } }; return fn.apply(undefined, [accessor].concat(args)); } finally { _done = true; _trace.stop(); } }; InstantiationService.prototype.createInstance = function (ctorOrDescriptor) { var rest = []; for (var _i = 1; _i < arguments.length; _i++) { rest[_i - 1] = arguments[_i]; } var _trace; var result; if (ctorOrDescriptor instanceof __WEBPACK_IMPORTED_MODULE_3__descriptors_js__["a" /* SyncDescriptor */]) { _trace = Trace.traceCreation(ctorOrDescriptor.ctor); result = this._createInstance(ctorOrDescriptor.ctor, ctorOrDescriptor.staticArguments.concat(rest), _trace); } else { _trace = Trace.traceCreation(ctorOrDescriptor); result = this._createInstance(ctorOrDescriptor, rest, _trace); } _trace.stop(); return result; }; InstantiationService.prototype._createInstance = function (ctor, args, _trace) { if (args === void 0) { args = []; } // arguments defined by service decorators var serviceDependencies = __WEBPACK_IMPORTED_MODULE_4__instantiation_js__["b" /* _util */].getServiceDependencies(ctor).sort(function (a, b) { return a.index - b.index; }); var serviceArgs = []; for (var _i = 0, serviceDependencies_1 = serviceDependencies; _i < serviceDependencies_1.length; _i++) { var dependency = serviceDependencies_1[_i]; var service = this._getOrCreateServiceInstance(dependency.id, _trace); if (!service && this._strict && !dependency.optional) { throw new Error("[createInstance] " + ctor.name + " depends on UNKNOWN service " + dependency.id + "."); } serviceArgs.push(service); } var firstServiceArgPos = serviceDependencies.length > 0 ? serviceDependencies[0].index : args.length; // check for argument mismatches, adjust static args if needed if (args.length !== firstServiceArgPos) { console.warn("[createInstance] First service dependency of " + ctor.name + " at position " + (firstServiceArgPos + 1) + " conflicts with " + args.length + " static arguments"); var delta = firstServiceArgPos - args.length; if (delta > 0) { args = args.concat(new Array(delta)); } else { args = args.slice(0, firstServiceArgPos); } } // now create the instance return __WEBPACK_IMPORTED_MODULE_1__base_common_types_js__["a" /* create */].apply(null, [ctor].concat(args, serviceArgs)); }; InstantiationService.prototype._setServiceInstance = function (id, instance) { if (this._services.get(id) instanceof __WEBPACK_IMPORTED_MODULE_3__descriptors_js__["a" /* SyncDescriptor */]) { this._services.set(id, instance); } else if (this._parent) { this._parent._setServiceInstance(id, instance); } else { throw new Error('illegalState - setting UNKNOWN service instance'); } }; InstantiationService.prototype._getServiceInstanceOrDescriptor = function (id) { var instanceOrDesc = this._services.get(id); if (!instanceOrDesc && this._parent) { return this._parent._getServiceInstanceOrDescriptor(id); } else { return instanceOrDesc; } }; InstantiationService.prototype._getOrCreateServiceInstance = function (id, _trace) { var thing = this._getServiceInstanceOrDescriptor(id); if (thing instanceof __WEBPACK_IMPORTED_MODULE_3__descriptors_js__["a" /* SyncDescriptor */]) { return this._createAndCacheServiceInstance(id, thing, _trace.branch(id, true)); } else { _trace.branch(id, false); return thing; } }; InstantiationService.prototype._createAndCacheServiceInstance = function (id, desc, _trace) { var graph = new __WEBPACK_IMPORTED_MODULE_2__graph_js__["a" /* Graph */](function (data) { return data.id.toString(); }); function throwCycleError() { var err = new Error('[createInstance] cyclic dependency between services'); err.message = graph.toString(); throw err; } var count = 0; var stack = [{ id: id, desc: desc, _trace: _trace }]; while (stack.length) { var item = stack.pop(); graph.lookupOrInsertNode(item); // TODO@joh use the graph to find a cycle // a weak heuristic for cycle checks if (count++ > 100) { throwCycleError(); } // check all dependencies for existence and if they need to be created first var dependencies = __WEBPACK_IMPORTED_MODULE_4__instantiation_js__["b" /* _util */].getServiceDependencies(item.desc.ctor); for (var _i = 0, dependencies_1 = dependencies; _i < dependencies_1.length; _i++) { var dependency = dependencies_1[_i]; var instanceOrDesc = this._getServiceInstanceOrDescriptor(dependency.id); if (!instanceOrDesc && !dependency.optional) { console.warn("[createInstance] " + id + " depends on " + dependency.id + " which is NOT registered."); } if (instanceOrDesc instanceof __WEBPACK_IMPORTED_MODULE_3__descriptors_js__["a" /* SyncDescriptor */]) { var d = { id: dependency.id, desc: instanceOrDesc, _trace: item._trace.branch(dependency.id, true) }; graph.insertEdge(item, d); stack.push(d); } } } while (true) { var roots = graph.roots(); // if there is no more roots but still // nodes in the graph we have a cycle if (roots.length === 0) { if (!graph.isEmpty()) { throwCycleError(); } break; } for (var _a = 0, roots_1 = roots; _a < roots_1.length; _a++) { var data = roots_1[_a].data; // create instance and overwrite the service collections var instance = this._createServiceInstanceWithOwner(data.id, data.desc.ctor, data.desc.staticArguments, data.desc.supportsDelayedInstantiation, data._trace); this._setServiceInstance(data.id, instance); graph.removeNode(data); } } return this._getServiceInstanceOrDescriptor(id); }; InstantiationService.prototype._createServiceInstanceWithOwner = function (id, ctor, args, supportsDelayedInstantiation, _trace) { if (args === void 0) { args = []; } if (this._services.get(id) instanceof __WEBPACK_IMPORTED_MODULE_3__descriptors_js__["a" /* SyncDescriptor */]) { return this._createServiceInstance(ctor, args, supportsDelayedInstantiation, _trace); } else if (this._parent) { return this._parent._createServiceInstanceWithOwner(id, ctor, args, supportsDelayedInstantiation, _trace); } else { throw new Error('illegalState - creating UNKNOWN service instance'); } }; InstantiationService.prototype._createServiceInstance = function (ctor, args, _supportsDelayedInstantiation, _trace) { if (args === void 0) { args = []; } return this._createInstance(ctor, args, _trace); }; return InstantiationService; }()); var Trace = /** @class */ (function () { function Trace(type, name) { this.type = type; this.name = name; this._start = Date.now(); this._dep = []; } Trace.traceInvocation = function (ctor) { return !_enableTracing ? Trace._None : new Trace(1 /* Invocation */, ctor.name || ctor.toString().substring(0, 42).replace(/\n/g, '')); }; Trace.traceCreation = function (ctor) { return !_enableTracing ? Trace._None : new Trace(0 /* Creation */, ctor.name); }; Trace.prototype.branch = function (id, first) { var child = new Trace(2 /* Branch */, id.toString()); this._dep.push([id, first, child]); return child; }; Trace.prototype.stop = function () { var dur = Date.now() - this._start; Trace._totals += dur; var causedCreation = false; function printChild(n, trace) { var res = []; var prefix = new Array(n + 1).join('\t'); for (var _i = 0, _a = trace._dep; _i < _a.length; _i++) { var _b = _a[_i], id = _b[0], first = _b[1], child = _b[2]; if (first && child) { causedCreation = true; res.push(prefix + "CREATES -> " + id); var nested = printChild(n + 1, child); if (nested) { res.push(nested); } } else { res.push(prefix + "uses -> " + id); } } return res.join('\n'); } var lines = [ (this.type === 0 /* Creation */ ? 'CREATE' : 'CALL') + " " + this.name, "" + printChild(1, this), "DONE, took " + dur.toFixed(2) + "ms (grand total " + Trace._totals.toFixed(2) + "ms)" ]; if (dur > 2 || causedCreation) { console.log(lines.join('\n')); } }; Trace._None = new /** @class */ (function (_super) { __extends(class_1, _super); function class_1() { return _super.call(this, -1, null) || this; } class_1.prototype.stop = function () { }; class_1.prototype.branch = function () { return this; }; return class_1; }(Trace)); Trace._totals = 0; return Trace; }()); //#endregion /***/ }), /***/ 2063: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Graph; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_collections_js__ = __webpack_require__(2064); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function newNode(data) { return { data: data, incoming: Object.create(null), outgoing: Object.create(null) }; } var Graph = /** @class */ (function () { function Graph(_hashFn) { this._hashFn = _hashFn; this._nodes = Object.create(null); // empty } Graph.prototype.roots = function () { var ret = []; Object(__WEBPACK_IMPORTED_MODULE_1__base_common_collections_js__["a" /* forEach */])(this._nodes, function (entry) { if (Object(__WEBPACK_IMPORTED_MODULE_0__base_common_types_js__["e" /* isEmptyObject */])(entry.value.outgoing)) { ret.push(entry.value); } }); return ret; }; Graph.prototype.insertEdge = function (from, to) { var fromNode = this.lookupOrInsertNode(from), toNode = this.lookupOrInsertNode(to); fromNode.outgoing[this._hashFn(to)] = toNode; toNode.incoming[this._hashFn(from)] = fromNode; }; Graph.prototype.removeNode = function (data) { var key = this._hashFn(data); delete this._nodes[key]; Object(__WEBPACK_IMPORTED_MODULE_1__base_common_collections_js__["a" /* forEach */])(this._nodes, function (entry) { delete entry.value.outgoing[key]; delete entry.value.incoming[key]; }); }; Graph.prototype.lookupOrInsertNode = function (data) { var key = this._hashFn(data); var node = this._nodes[key]; if (!node) { node = newNode(data); this._nodes[key] = node; } return node; }; Graph.prototype.isEmpty = function () { for (var _key in this._nodes) { return false; } return true; }; Graph.prototype.toString = function () { var data = []; Object(__WEBPACK_IMPORTED_MODULE_1__base_common_collections_js__["a" /* forEach */])(this._nodes, function (entry) { data.push(entry.key + ", (incoming)[" + Object.keys(entry.value.incoming).join(', ') + "], (outgoing)[" + Object.keys(entry.value.outgoing).join(',') + "]"); }); return data.join('\n'); }; return Graph; }()); /***/ }), /***/ 2064: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = forEach; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var hasOwnProperty = Object.prototype.hasOwnProperty; /** * Iterates over each entry in the provided set. The iterator allows * to remove elements and will stop when the callback returns {{false}}. */ function forEach(from, callback) { var _loop_1 = function (key) { if (hasOwnProperty.call(from, key)) { var result = callback({ key: key, value: from[key] }, function () { delete from[key]; }); if (result === false) { return { value: void 0 }; } } }; for (var key in from) { var state_1 = _loop_1(key); if (typeof state_1 === "object") return state_1.value; } } /***/ }), /***/ 2065: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ILabelService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var LABEL_SERVICE_ID = 'label'; var ILabelService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])(LABEL_SERVICE_ID); /***/ }), /***/ 2066: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IListService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ListService; }); /* unused harmony export WorkbenchListSupportsMultiSelectContextKey */ /* unused harmony export WorkbenchListHasSelectionOrFocus */ /* unused harmony export WorkbenchListDoubleSelection */ /* unused harmony export WorkbenchListMultiSelection */ /* unused harmony export WorkbenchListSupportsKeyboardNavigation */ /* unused harmony export WorkbenchListAutomaticKeyboardNavigationKey */ /* unused harmony export WorkbenchListAutomaticKeyboardNavigation */ /* unused harmony export didBindWorkbenchListAutomaticKeyboardNavigation */ /* unused harmony export multiSelectModifierSettingKey */ /* unused harmony export openModeSettingKey */ /* unused harmony export horizontalScrollingKey */ /* unused harmony export keyboardNavigationSettingKey */ /* unused harmony export automaticKeyboardNavigationSettingKey */ /* unused harmony export WorkbenchAsyncDataTree */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__ = __webpack_require__(856); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_browser_ui_list_listWidget_js__ = __webpack_require__(1720); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__nls_js__ = __webpack_require__(936); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__configuration_common_configurationRegistry_js__ = __webpack_require__(1395); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__ = __webpack_require__(1091); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__keybinding_common_keybinding_js__ = __webpack_require__(1400); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__theme_common_styler_js__ = __webpack_require__(1717); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__theme_common_themeService_js__ = __webpack_require__(937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__base_browser_ui_tree_asyncDataTree_js__ = __webpack_require__(2073); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var _a; var IListService = Object(__WEBPACK_IMPORTED_MODULE_7__instantiation_common_instantiation_js__["c" /* createDecorator */])('listService'); var ListService = /** @class */ (function () { function ListService(contextKeyService) { this.lists = []; this._lastFocusedWidget = undefined; } Object.defineProperty(ListService.prototype, "lastFocusedList", { get: function () { return this._lastFocusedWidget; }, enumerable: true, configurable: true }); ListService.prototype.register = function (widget, extraContextKeys) { var _this = this; if (this.lists.some(function (l) { return l.widget === widget; })) { throw new Error('Cannot register the same widget multiple times'); } // Keep in our lists list var registeredList = { widget: widget, extraContextKeys: extraContextKeys }; this.lists.push(registeredList); // Check for currently being focused if (widget.getHTMLElement() === document.activeElement) { this._lastFocusedWidget = widget; } var result = Object(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["c" /* combinedDisposable */])([ widget.onDidFocus(function () { return _this._lastFocusedWidget = widget; }), Object(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["e" /* toDisposable */])(function () { return _this.lists.splice(_this.lists.indexOf(registeredList), 1); }), widget.onDidDispose(function () { _this.lists = _this.lists.filter(function (l) { return l !== registeredList; }); if (_this._lastFocusedWidget === widget) { _this._lastFocusedWidget = undefined; } }) ]); return result; }; ListService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["c" /* IContextKeyService */]) ], ListService); return ListService; }()); var RawWorkbenchListFocusContextKey = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */]('listFocus', true); var WorkbenchListSupportsMultiSelectContextKey = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */]('listSupportsMultiselect', true); var WorkbenchListHasSelectionOrFocus = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */]('listHasSelectionOrFocus', false); var WorkbenchListDoubleSelection = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */]('listDoubleSelection', false); var WorkbenchListMultiSelection = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */]('listMultiSelection', false); var WorkbenchListSupportsKeyboardNavigation = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */]('listSupportsKeyboardNavigation', true); var WorkbenchListAutomaticKeyboardNavigationKey = 'listAutomaticKeyboardNavigation'; var WorkbenchListAutomaticKeyboardNavigation = new __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["d" /* RawContextKey */](WorkbenchListAutomaticKeyboardNavigationKey, true); var didBindWorkbenchListAutomaticKeyboardNavigation = false; function createScopedContextKeyService(contextKeyService, widget) { var result = contextKeyService.createScoped(widget.getHTMLElement()); RawWorkbenchListFocusContextKey.bindTo(result); return result; } var multiSelectModifierSettingKey = 'workbench.list.multiSelectModifier'; var openModeSettingKey = 'workbench.list.openMode'; var horizontalScrollingKey = 'workbench.list.horizontalScrolling'; var keyboardNavigationSettingKey = 'workbench.list.keyboardNavigation'; var automaticKeyboardNavigationSettingKey = 'workbench.list.automaticKeyboardNavigation'; var treeIndentKey = 'workbench.tree.indent'; function getHorizontalScrollingSetting(configurationService) { return Object(__WEBPACK_IMPORTED_MODULE_4__configuration_common_configuration_js__["f" /* getMigratedSettingValue */])(configurationService, horizontalScrollingKey, 'workbench.tree.horizontalScrolling'); } function useAltAsMultipleSelectionModifier(configurationService) { return configurationService.getValue(multiSelectModifierSettingKey) === 'alt'; } function useSingleClickToOpen(configurationService) { return configurationService.getValue(openModeSettingKey) !== 'doubleClick'; } var MultipleSelectionController = /** @class */ (function (_super) { __extends(MultipleSelectionController, _super); function MultipleSelectionController(configurationService) { var _this = _super.call(this) || this; _this.configurationService = configurationService; _this.useAltAsMultipleSelectionModifier = useAltAsMultipleSelectionModifier(configurationService); _this.registerListeners(); return _this; } MultipleSelectionController.prototype.registerListeners = function () { var _this = this; this._register(this.configurationService.onDidChangeConfiguration(function (e) { if (e.affectsConfiguration(multiSelectModifierSettingKey)) { _this.useAltAsMultipleSelectionModifier = useAltAsMultipleSelectionModifier(_this.configurationService); } })); }; MultipleSelectionController.prototype.isSelectionSingleChangeEvent = function (event) { if (this.useAltAsMultipleSelectionModifier) { return event.browserEvent.altKey; } return Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_ui_list_listWidget_js__["e" /* isSelectionSingleChangeEvent */])(event); }; MultipleSelectionController.prototype.isSelectionRangeChangeEvent = function (event) { return Object(__WEBPACK_IMPORTED_MODULE_1__base_browser_ui_list_listWidget_js__["d" /* isSelectionRangeChangeEvent */])(event); }; return MultipleSelectionController; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); var WorkbenchOpenController = /** @class */ (function (_super) { __extends(WorkbenchOpenController, _super); function WorkbenchOpenController(configurationService, existingOpenController) { var _this = _super.call(this) || this; _this.configurationService = configurationService; _this.existingOpenController = existingOpenController; _this.openOnSingleClick = useSingleClickToOpen(configurationService); _this.registerListeners(); return _this; } WorkbenchOpenController.prototype.registerListeners = function () { var _this = this; this._register(this.configurationService.onDidChangeConfiguration(function (e) { if (e.affectsConfiguration(openModeSettingKey)) { _this.openOnSingleClick = useSingleClickToOpen(_this.configurationService); } })); }; WorkbenchOpenController.prototype.shouldOpen = function (event) { if (event instanceof MouseEvent) { var isLeftButton = event.button === 0; var isDoubleClick = event.detail === 2; if (isLeftButton && !this.openOnSingleClick && !isDoubleClick) { return false; } if (isLeftButton /* left mouse button */ || event.button === 1 /* middle mouse button */) { return this.existingOpenController ? this.existingOpenController.shouldOpen(event) : true; } return false; } return this.existingOpenController ? this.existingOpenController.shouldOpen(event) : true; }; return WorkbenchOpenController; }(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["a" /* Disposable */])); function toWorkbenchListOptions(options, configurationService, keybindingService) { var disposables = []; var result = __assign({}, options); if (options.multipleSelectionSupport !== false && !options.multipleSelectionController) { var multipleSelectionController = new MultipleSelectionController(configurationService); result.multipleSelectionController = multipleSelectionController; disposables.push(multipleSelectionController); } var openController = new WorkbenchOpenController(configurationService, options.openController); result.openController = openController; disposables.push(openController); if (options.keyboardNavigationLabelProvider) { var tlp_1 = options.keyboardNavigationLabelProvider; result.keyboardNavigationLabelProvider = { getKeyboardNavigationLabel: function (e) { return tlp_1.getKeyboardNavigationLabel(e); }, mightProducePrintableCharacter: function (e) { return keybindingService.mightProducePrintableCharacter(e); } }; } return [result, Object(__WEBPACK_IMPORTED_MODULE_2__base_common_lifecycle_js__["c" /* combinedDisposable */])(disposables)]; } var sharedListStyleSheet; function getSharedListStyleSheet() { if (!sharedListStyleSheet) { sharedListStyleSheet = Object(__WEBPACK_IMPORTED_MODULE_0__base_browser_dom_js__["o" /* createStyleSheet */])(); } return sharedListStyleSheet; } function createKeyboardNavigationEventFilter(container, keybindingService) { var inChord = false; return function (event) { if (inChord) { inChord = false; return false; } var result = keybindingService.softDispatch(event, container); if (result && result.enterChord) { inChord = true; return false; } inChord = false; return true; }; } var WorkbenchAsyncDataTree = /** @class */ (function (_super) { __extends(WorkbenchAsyncDataTree, _super); function WorkbenchAsyncDataTree(container, delegate, renderers, dataSource, options, contextKeyService, listService, themeService, configurationService, keybindingService) { var _this = this; WorkbenchListSupportsKeyboardNavigation.bindTo(contextKeyService); if (!didBindWorkbenchListAutomaticKeyboardNavigation) { WorkbenchListAutomaticKeyboardNavigation.bindTo(contextKeyService); didBindWorkbenchListAutomaticKeyboardNavigation = true; } var getAutomaticKeyboardNavigation = function () { // give priority to the context key value to disable this completely var automaticKeyboardNavigation = contextKeyService.getContextKeyValue(WorkbenchListAutomaticKeyboardNavigationKey); if (automaticKeyboardNavigation) { automaticKeyboardNavigation = configurationService.getValue(automaticKeyboardNavigationSettingKey); } return automaticKeyboardNavigation; }; var keyboardNavigation = configurationService.getValue(keyboardNavigationSettingKey); var horizontalScrolling = typeof options.horizontalScrolling !== 'undefined' ? options.horizontalScrolling : getHorizontalScrollingSetting(configurationService); var openOnSingleClick = useSingleClickToOpen(configurationService); var _a = toWorkbenchListOptions(options, configurationService, keybindingService), workbenchListOptions = _a[0], workbenchListOptionsDisposable = _a[1]; _this = _super.call(this, container, delegate, renderers, dataSource, __assign({ keyboardSupport: false, styleController: new __WEBPACK_IMPORTED_MODULE_1__base_browser_ui_list_listWidget_js__["a" /* DefaultStyleController */](getSharedListStyleSheet()) }, Object(__WEBPACK_IMPORTED_MODULE_10__theme_common_styler_js__["c" /* computeStyles */])(themeService.getTheme(), __WEBPACK_IMPORTED_MODULE_10__theme_common_styler_js__["d" /* defaultListStyles */]), workbenchListOptions, { indent: configurationService.getValue(treeIndentKey), automaticKeyboardNavigation: getAutomaticKeyboardNavigation(), simpleKeyboardNavigation: keyboardNavigation === 'simple', filterOnType: keyboardNavigation === 'filter', horizontalScrolling: horizontalScrolling, openOnSingleClick: openOnSingleClick, keyboardNavigationEventFilter: createKeyboardNavigationEventFilter(container, keybindingService) })) || this; _this.disposables.push(workbenchListOptionsDisposable); _this.contextKeyService = createScopedContextKeyService(contextKeyService, _this); var listSupportsMultiSelect = WorkbenchListSupportsMultiSelectContextKey.bindTo(_this.contextKeyService); listSupportsMultiSelect.set(!(options.multipleSelectionSupport === false)); _this.hasSelectionOrFocus = WorkbenchListHasSelectionOrFocus.bindTo(_this.contextKeyService); _this.hasDoubleSelection = WorkbenchListDoubleSelection.bindTo(_this.contextKeyService); _this.hasMultiSelection = WorkbenchListMultiSelection.bindTo(_this.contextKeyService); _this._useAltAsMultipleSelectionModifier = useAltAsMultipleSelectionModifier(configurationService); var interestingContextKeys = new Set(); interestingContextKeys.add(WorkbenchListAutomaticKeyboardNavigationKey); _this.disposables.push(_this.contextKeyService, listService.register(_this), Object(__WEBPACK_IMPORTED_MODULE_10__theme_common_styler_js__["a" /* attachListStyler */])(_this, themeService), _this.onDidChangeSelection(function () { var selection = _this.getSelection(); var focus = _this.getFocus(); _this.hasSelectionOrFocus.set(selection.length > 0 || focus.length > 0); _this.hasMultiSelection.set(selection.length > 1); _this.hasDoubleSelection.set(selection.length === 2); }), _this.onDidChangeFocus(function () { var selection = _this.getSelection(); var focus = _this.getFocus(); _this.hasSelectionOrFocus.set(selection.length > 0 || focus.length > 0); }), configurationService.onDidChangeConfiguration(function (e) { if (e.affectsConfiguration(openModeSettingKey)) { _this.updateOptions({ openOnSingleClick: useSingleClickToOpen(configurationService) }); } if (e.affectsConfiguration(multiSelectModifierSettingKey)) { _this._useAltAsMultipleSelectionModifier = useAltAsMultipleSelectionModifier(configurationService); } if (e.affectsConfiguration(treeIndentKey)) { var indent = configurationService.getValue(treeIndentKey); _this.updateOptions({ indent: indent }); } if (e.affectsConfiguration(keyboardNavigationSettingKey)) { var keyboardNavigation_1 = configurationService.getValue(keyboardNavigationSettingKey); _this.updateOptions({ simpleKeyboardNavigation: keyboardNavigation_1 === 'simple', filterOnType: keyboardNavigation_1 === 'filter' }); } if (e.affectsConfiguration(automaticKeyboardNavigationSettingKey)) { _this.updateOptions({ automaticKeyboardNavigation: getAutomaticKeyboardNavigation() }); } }), _this.contextKeyService.onDidChangeContext(function (e) { if (e.affectsSome(interestingContextKeys)) { _this.updateOptions({ automaticKeyboardNavigation: getAutomaticKeyboardNavigation() }); } })); return _this; } WorkbenchAsyncDataTree = __decorate([ __param(5, __WEBPACK_IMPORTED_MODULE_6__contextkey_common_contextkey_js__["c" /* IContextKeyService */]), __param(6, IListService), __param(7, __WEBPACK_IMPORTED_MODULE_11__theme_common_themeService_js__["c" /* IThemeService */]), __param(8, __WEBPACK_IMPORTED_MODULE_4__configuration_common_configuration_js__["a" /* IConfigurationService */]), __param(9, __WEBPACK_IMPORTED_MODULE_8__keybinding_common_keybinding_js__["a" /* IKeybindingService */]) ], WorkbenchAsyncDataTree); return WorkbenchAsyncDataTree; }(__WEBPACK_IMPORTED_MODULE_12__base_browser_ui_tree_asyncDataTree_js__["a" /* AsyncDataTree */])); var configurationRegistry = __WEBPACK_IMPORTED_MODULE_9__registry_common_platform_js__["a" /* Registry */].as(__WEBPACK_IMPORTED_MODULE_5__configuration_common_configurationRegistry_js__["a" /* Extensions */].Configuration); configurationRegistry.registerConfiguration({ 'id': 'workbench', 'order': 7, 'title': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('workbenchConfigurationTitle', "Workbench"), 'type': 'object', 'properties': (_a = {}, _a[multiSelectModifierSettingKey] = { 'type': 'string', 'enum': ['ctrlCmd', 'alt'], 'enumDescriptions': [ Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('multiSelectModifier.ctrlCmd', "Maps to `Control` on Windows and Linux and to `Command` on macOS."), Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('multiSelectModifier.alt', "Maps to `Alt` on Windows and Linux and to `Option` on macOS.") ], 'default': 'ctrlCmd', 'description': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])({ key: 'multiSelectModifier', comment: [ '- `ctrlCmd` refers to a value the setting can take and should not be localized.', '- `Control` and `Command` refer to the modifier keys Ctrl or Cmd on the keyboard and can be localized.' ] }, "The modifier to be used to add an item in trees and lists to a multi-selection with the mouse (for example in the explorer, open editors and scm view). The 'Open to Side' mouse gestures - if supported - will adapt such that they do not conflict with the multiselect modifier.") }, _a[openModeSettingKey] = { 'type': 'string', 'enum': ['singleClick', 'doubleClick'], 'default': 'singleClick', 'description': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])({ key: 'openModeModifier', comment: ['`singleClick` and `doubleClick` refers to a value the setting can take and should not be localized.'] }, "Controls how to open items in trees and lists using the mouse (if supported). For parents with children in trees, this setting will control if a single click expands the parent or a double click. Note that some trees and lists might choose to ignore this setting if it is not applicable. ") }, _a[horizontalScrollingKey] = { 'type': 'boolean', 'default': false, 'description': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('horizontalScrolling setting', "Controls whether lists and trees support horizontal scrolling in the workbench.") }, _a['workbench.tree.horizontalScrolling'] = { 'type': 'boolean', 'default': false, 'description': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('tree horizontalScrolling setting', "Controls whether trees support horizontal scrolling in the workbench."), 'deprecationMessage': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('deprecated', "This setting is deprecated, please use '{0}' instead.", horizontalScrollingKey) }, _a[treeIndentKey] = { 'type': 'number', 'default': 8, minimum: 0, maximum: 40, 'description': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('tree indent setting', "Controls tree indentation in pixels.") }, _a[keyboardNavigationSettingKey] = { 'type': 'string', 'enum': ['simple', 'highlight', 'filter'], 'enumDescriptions': [ Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('keyboardNavigationSettingKey.simple', "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes."), Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('keyboardNavigationSettingKey.highlight', "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements."), Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('keyboardNavigationSettingKey.filter', "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.") ], 'default': 'highlight', 'description': Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('keyboardNavigationSettingKey', "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.") }, _a[automaticKeyboardNavigationSettingKey] = { 'type': 'boolean', 'default': true, markdownDescription: Object(__WEBPACK_IMPORTED_MODULE_3__nls_js__["a" /* localize */])('automatic keyboard navigation setting', "Controls whether keyboard navigation in lists and trees is automatically triggered simply by typing. If set to `false`, keyboard navigation is only triggered when executing the `list.toggleKeyboardNavigation` command, for which you can assign a keyboard shortcut.") }, _a) }); /***/ }), /***/ 2067: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2068); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2068: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-list{position:relative;height:100%;width:100%;white-space:nowrap}.monaco-list.mouse-support{-webkit-user-select:none;-moz-user-select:-moz-none;-ms-user-select:none;-o-user-select:none;user-select:none}.monaco-list>.monaco-scrollable-element{height:100%}.monaco-list-rows{position:relative;width:100%;height:100%}.monaco-list.horizontal-scrolling .monaco-list-rows{width:auto;min-width:100%}.monaco-list-row{position:absolute;-o-box-sizing:border-box;-ms-box-sizing:border-box;-webkit-box-sizing:border-box;box-sizing:border-box;overflow:hidden;width:100%}.monaco-list.mouse-support .monaco-list-row{cursor:pointer;-ms-touch-action:none;touch-action:none}.monaco-list-row.scrolling{display:none!important}.monaco-list.element-focused,.monaco-list.selection-multiple,.monaco-list.selection-single{outline:0!important}.monaco-drag-image{display:inline-block;padding:1px 7px;border-radius:10px;font-size:12px;position:absolute}.monaco-list-type-filter{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;position:absolute;border-radius:2px;padding:0 3px;max-width:calc(100% - 10px);-o-text-overflow:ellipsis;text-overflow:ellipsis;overflow:hidden;text-align:right;-webkit-box-sizing:border-box;box-sizing:border-box;cursor:all-scroll;font-size:13px;line-height:18px;height:20px;z-index:1;top:4px}.monaco-list-type-filter.dragging{-webkit-transition:top .2s,left .2s;-o-transition:top .2s,left .2s;transition:top .2s,left .2s}.monaco-list-type-filter.ne{right:4px}.monaco-list-type-filter.nw{left:4px}.monaco-list-type-filter>.controls{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;-webkit-transition:width .2s;-o-transition:width .2s;transition:width .2s;width:0}.monaco-list-type-filter.dragging>.controls,.monaco-list-type-filter:hover>.controls{width:36px}.monaco-list-type-filter>.controls>*{-webkit-box-sizing:border-box;box-sizing:border-box;width:16px;height:16px;margin:0 0 0 2px;-ms-flex-negative:0;flex-shrink:0}.monaco-list-type-filter>.controls>.filter{-webkit-appearance:none;width:16px;height:16px;background:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTYgOS45OTk1MUgyVjExLjk5OTVINlY5Ljk5OTUxWiIgZmlsbD0iIzRCNEI0QiIvPgo8cGF0aCBkPSJNMTAgN0gyVjlIMTBWN1oiIGZpbGw9IiM0QjRCNEIiLz4KPHBhdGggZD0iTTE0IDRIMlY2SDE0VjRaIiBmaWxsPSIjNEI0QjRCIi8+Cjwvc3ZnPgo=\");background-position:50% 50%;cursor:pointer}.monaco-list-type-filter>.controls>.filter:checked{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTEwLjAwMDIgMTBINi4wMDAyNFYxMkgxMC4wMDAyVjEwWiIgZmlsbD0iIzQyNDI0MiIvPgo8cGF0aCBkPSJNMTEuOTk5OCA3SDMuOTk5NzZWOUgxMS45OTk4VjdaIiBmaWxsPSIjNDI0MjQyIi8+CjxwYXRoIGQ9Ik0xNCA0SDJWNkgxNFY0WiIgZmlsbD0iIzQyNDI0MiIvPgo8L3N2Zz4K\")}.vs-dark .monaco-list-type-filter>.controls>.filter{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTYgOS45OTk1MUgyVjExLjk5OTVINlY5Ljk5OTUxWiIgZmlsbD0iI0U4RThFOCIvPgo8cGF0aCBkPSJNMTAgN0gyVjlIMTBWN1oiIGZpbGw9IiNFOEU4RTgiLz4KPHBhdGggZD0iTTE0IDRIMlY2SDE0VjRaIiBmaWxsPSIjRThFOEU4Ii8+Cjwvc3ZnPgo=\")}.vs-dark .monaco-list-type-filter>.controls>.filter:checked{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTEwLjAwMDIgMTBINi4wMDAyNFYxMkgxMC4wMDAyVjEwWiIgZmlsbD0iI0U4RThFOCIvPgo8cGF0aCBkPSJNMTEuOTk5OCA3SDMuOTk5NzZWOUgxMS45OTk4VjdaIiBmaWxsPSIjRThFOEU4Ii8+CjxwYXRoIGQ9Ik0xNCA0SDJWNkgxNFY0WiIgZmlsbD0iI0U4RThFOCIvPgo8L3N2Zz4K\")}.hc-black .monaco-list-type-filter>.controls>.filter{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTYgOS45OTk1MUgyVjExLjk5OTVINlY5Ljk5OTUxWiIgZmlsbD0id2hpdGUiLz4KPHBhdGggZD0iTTEwIDdIMlY5SDEwVjdaIiBmaWxsPSJ3aGl0ZSIvPgo8cGF0aCBkPSJNMTQgNEgyVjZIMTRWNFoiIGZpbGw9IndoaXRlIi8+Cjwvc3ZnPgo=\")}.hc-black .monaco-list-type-filter>.controls>.filter:checked{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTEwLjAwMDIgMTBINi4wMDAyNFYxMkgxMC4wMDAyVjEwWiIgZmlsbD0id2hpdGUiLz4KPHBhdGggZD0iTTExLjk5OTggN0gzLjk5OTc2VjlIMTEuOTk5OFY3WiIgZmlsbD0id2hpdGUiLz4KPHBhdGggZD0iTTE0IDRIMlY2SDE0VjRaIiBmaWxsPSJ3aGl0ZSIvPgo8L3N2Zz4K\")}.monaco-list-type-filter>.controls>.clear{border:none;background:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iIzQyNDI0MiIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\");cursor:pointer}.vs-dark .monaco-list-type-filter>.controls>.clear{background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iI2U4ZThlOCIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\")}.hc-black .monaco-list-type-filter>.controls>.clear{background-image:url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+CjxzdmcKICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgogICB4bWxuczpjYz0iaHR0cDovL2NyZWF0aXZlY29tbW9ucy5vcmcvbnMjIgogICB4bWxuczpyZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiCiAgIHhtbG5zOnN2Zz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiAgIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgaWQ9InN2ZzczMjAiCiAgIHZlcnNpb249IjEuMSIKICAgZW5hYmxlLWJhY2tncm91bmQ9Im5ldyAzIDMgMTYgMTYiCiAgIHZpZXdCb3g9IjMgMyAxNiAxNiIKICAgaGVpZ2h0PSIxNiIKICAgd2lkdGg9IjE2Ij4KICA8bWV0YWRhdGEKICAgICBpZD0ibWV0YWRhdGE3MzI2Ij4KICAgIDxyZGY6UkRGPgogICAgICA8Y2M6V29yawogICAgICAgICByZGY6YWJvdXQ9IiI+CiAgICAgICAgPGRjOmZvcm1hdD5pbWFnZS9zdmcreG1sPC9kYzpmb3JtYXQ+CiAgICAgICAgPGRjOnR5cGUKICAgICAgICAgICByZGY6cmVzb3VyY2U9Imh0dHA6Ly9wdXJsLm9yZy9kYy9kY21pdHlwZS9TdGlsbEltYWdlIiAvPgogICAgICAgIDxkYzp0aXRsZT48L2RjOnRpdGxlPgogICAgICA8L2NjOldvcms+CiAgICA8L3JkZjpSREY+CiAgPC9tZXRhZGF0YT4KICA8ZGVmcwogICAgIGlkPSJkZWZzNzMyNCIgLz4KICA8cG9seWdvbgogICAgIHN0eWxlPSJmaWxsOiNmZmZmZmY7ZmlsbC1vcGFjaXR5OjEiCiAgICAgaWQ9InBvbHlnb243MzE4IgogICAgIHBvaW50cz0iMTIuNTk3LDExLjA0MiAxNS40LDEzLjg0NSAxMy44NDQsMTUuNCAxMS4wNDIsMTIuNTk4IDguMjM5LDE1LjQgNi42ODMsMTMuODQ1IDkuNDg1LDExLjA0MiA2LjY4Myw4LjIzOSA4LjIzOCw2LjY4MyAxMS4wNDIsOS40ODYgMTMuODQ1LDYuNjgzIDE1LjQsOC4yMzkiCiAgICAgZmlsbD0iIzQyNDI0MiIgLz4KPC9zdmc+Cg==\")}.monaco-list-type-filter-message{position:absolute;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;height:100%;top:0;left:0;padding:40px 1em 1em;text-align:center;white-space:normal;opacity:.7;pointer-events:none}.monaco-list-type-filter-message:empty{display:none}.monaco-list-type-filter{cursor:-webkit-grab}.monaco-list-type-filter.dragging{cursor:-webkit-grabbing}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/list/list.css"],"names":[],"mappings":"AAKA,aACC,kBAAmB,AACnB,YAAa,AACb,WAAY,AACZ,kBAAoB,CACpB,AAED,2BACC,yBAA0B,AAC1B,2BAA4B,AAC5B,qBAAsB,AACtB,oBAAqB,AACrB,gBAAkB,CAClB,AAED,wCACC,WAAa,CACb,AAED,kBACC,kBAAmB,AACnB,WAAY,AACZ,WAAa,CACb,AAED,oDACC,WAAY,AACZ,cAAgB,CAChB,AAED,iBACC,kBAAmB,AACnB,yBAA2B,AAC3B,0BAA4B,AAC5B,8BAAiC,AACzB,sBAAyB,AACjC,gBAAiB,AACjB,UAAY,CACZ,AAED,4CACC,eAAgB,AAChB,sBAAuB,AACnB,iBAAmB,CACvB,AAGD,2BACC,sBAAyB,CACzB,AAGD,2FACC,mBAAsB,CACtB,AAGD,mBACC,qBAAsB,AACtB,gBAAiB,AACjB,mBAAoB,AACpB,eAAgB,AAChB,iBAAmB,CACnB,AAID,yBACC,oBAAqB,AACrB,aAAc,AACd,sBAAuB,AACnB,mBAAoB,AACxB,kBAAmB,AACnB,kBAAmB,AACnB,cAAiB,AACjB,4BAA6B,AAC7B,0BAA2B,AACxB,uBAAwB,AAC3B,gBAAiB,AACjB,iBAAkB,AAClB,8BAA+B,AACvB,sBAAuB,AAC/B,kBAAmB,AACnB,eAAgB,AAChB,iBAAkB,AAClB,YAAa,AACb,UAAW,AACX,OAAS,CACT,AAED,kCACC,oCAAwC,AACxC,+BAAmC,AACnC,2BAAgC,CAChC,AAED,4BACC,SAAW,CACX,AAED,4BACC,QAAU,CACV,AAED,mCACC,oBAAqB,AACrB,aAAc,AACd,sBAAuB,AACnB,mBAAoB,AACxB,8BAA+B,AACvB,sBAAuB,AAC/B,6BAA+B,AAC/B,wBAA0B,AAC1B,qBAAuB,AACvB,OAAS,CACT,AAED,qFAEC,UAAY,CACZ,AAED,qCACC,8BAA+B,AACvB,sBAAuB,AAC/B,WAAY,AACZ,YAAa,AACb,iBAAkB,AAClB,oBAAqB,AACjB,aAAe,CACnB,AAED,2CACC,wBAAyB,AACzB,WAAY,AACZ,YAAa,AACb,yXAA0X,AAC1X,4BAA6B,AAC7B,cAAgB,CAChB,AAED,mDACC,sZAAwZ,CACxZ,AAED,oDACC,8XAAgY,CAChY,AAED,4DACC,sZAAwZ,CACxZ,AAED,qDACC,sXAAwX,CACxX,AAED,6DACC,8YAAgZ,CAChZ,AAED,0CACC,YAAa,AACb,ycAA0c,AAC1c,cAAgB,CAChB,AAED,mDACC,8cAAgd,CAChd,AAED,oDACC,k3CAAo3C,CACp3C,AAED,iCACC,kBAAmB,AACnB,8BAA+B,AACvB,sBAAuB,AAC/B,WAAY,AACZ,YAAa,AACb,MAAO,AACP,OAAQ,AACR,qBAA0B,AAC1B,kBAAmB,AACnB,mBAAoB,AACpB,WAAa,AACb,mBAAqB,CACrB,AAED,uCACC,YAAc,CACd,AAID,yBACC,mBAAqB,CACrB,AAED,kCACC,uBAAyB,CACzB","file":"list.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-list {\n\tposition: relative;\n\theight: 100%;\n\twidth: 100%;\n\twhite-space: nowrap;\n}\n\n.monaco-list.mouse-support {\n\t-webkit-user-select: none;\n\t-moz-user-select: -moz-none;\n\t-ms-user-select: none;\n\t-o-user-select: none;\n\tuser-select: none;\n}\n\n.monaco-list > .monaco-scrollable-element {\n\theight: 100%;\n}\n\n.monaco-list-rows {\n\tposition: relative;\n\twidth: 100%;\n\theight: 100%;\n}\n\n.monaco-list.horizontal-scrolling .monaco-list-rows {\n\twidth: auto;\n\tmin-width: 100%;\n}\n\n.monaco-list-row {\n\tposition: absolute;\n\t-o-box-sizing:\t\tborder-box;\n\t-ms-box-sizing:\t\tborder-box;\n\t-webkit-box-sizing:\t\t\tborder-box;\n\t box-sizing:\t\t\tborder-box;\n\toverflow: hidden;\n\twidth: 100%;\n}\n\n.monaco-list.mouse-support .monaco-list-row {\n\tcursor: pointer;\n\t-ms-touch-action: none;\n\t touch-action: none;\n}\n\n/* for OS X ballistic scrolling */\n.monaco-list-row.scrolling {\n\tdisplay: none !important;\n}\n\n/* Focus */\n.monaco-list.element-focused, .monaco-list.selection-single, .monaco-list.selection-multiple {\n\toutline: 0 !important;\n}\n\n/* Dnd */\n.monaco-drag-image {\n\tdisplay: inline-block;\n\tpadding: 1px 7px;\n\tborder-radius: 10px;\n\tfont-size: 12px;\n\tposition: absolute;\n}\n\n/* Type filter */\n\n.monaco-list-type-filter {\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\t-ms-flex-align: center;\n\t align-items: center;\n\tposition: absolute;\n\tborder-radius: 2px;\n\tpadding: 0px 3px;\n\tmax-width: calc(100% - 10px);\n\t-o-text-overflow: ellipsis;\n\t text-overflow: ellipsis;\n\toverflow: hidden;\n\ttext-align: right;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\tcursor: all-scroll;\n\tfont-size: 13px;\n\tline-height: 18px;\n\theight: 20px;\n\tz-index: 1;\n\ttop: 4px;\n}\n\n.monaco-list-type-filter.dragging {\n\t-webkit-transition: top 0.2s, left 0.2s;\n\t-o-transition: top 0.2s, left 0.2s;\n\ttransition: top 0.2s, left 0.2s;\n}\n\n.monaco-list-type-filter.ne {\n\tright: 4px;\n}\n\n.monaco-list-type-filter.nw {\n\tleft: 4px;\n}\n\n.monaco-list-type-filter > .controls {\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\t-ms-flex-align: center;\n\t align-items: center;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\t-webkit-transition: width 0.2s;\n\t-o-transition: width 0.2s;\n\ttransition: width 0.2s;\n\twidth: 0;\n}\n\n.monaco-list-type-filter.dragging > .controls,\n.monaco-list-type-filter:hover > .controls {\n\twidth: 36px;\n}\n\n.monaco-list-type-filter > .controls > * {\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\twidth: 16px;\n\theight: 16px;\n\tmargin: 0 0 0 2px;\n\t-ms-flex-negative: 0;\n\t flex-shrink: 0;\n}\n\n.monaco-list-type-filter > .controls > .filter {\n\t-webkit-appearance: none;\n\twidth: 16px;\n\theight: 16px;\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTYgOS45OTk1MUgyVjExLjk5OTVINlY5Ljk5OTUxWiIgZmlsbD0iIzRCNEI0QiIvPgo8cGF0aCBkPSJNMTAgN0gyVjlIMTBWN1oiIGZpbGw9IiM0QjRCNEIiLz4KPHBhdGggZD0iTTE0IDRIMlY2SDE0VjRaIiBmaWxsPSIjNEI0QjRCIi8+Cjwvc3ZnPgo=\");\n\tbackground-position: 50% 50%;\n\tcursor: pointer;\n}\n\n.monaco-list-type-filter > .controls > .filter:checked {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTEwLjAwMDIgMTBINi4wMDAyNFYxMkgxMC4wMDAyVjEwWiIgZmlsbD0iIzQyNDI0MiIvPgo8cGF0aCBkPSJNMTEuOTk5OCA3SDMuOTk5NzZWOUgxMS45OTk4VjdaIiBmaWxsPSIjNDI0MjQyIi8+CjxwYXRoIGQ9Ik0xNCA0SDJWNkgxNFY0WiIgZmlsbD0iIzQyNDI0MiIvPgo8L3N2Zz4K\");\n}\n\n.vs-dark .monaco-list-type-filter > .controls > .filter {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTYgOS45OTk1MUgyVjExLjk5OTVINlY5Ljk5OTUxWiIgZmlsbD0iI0U4RThFOCIvPgo8cGF0aCBkPSJNMTAgN0gyVjlIMTBWN1oiIGZpbGw9IiNFOEU4RTgiLz4KPHBhdGggZD0iTTE0IDRIMlY2SDE0VjRaIiBmaWxsPSIjRThFOEU4Ii8+Cjwvc3ZnPgo=\");\n}\n\n.vs-dark .monaco-list-type-filter > .controls > .filter:checked {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTEwLjAwMDIgMTBINi4wMDAyNFYxMkgxMC4wMDAyVjEwWiIgZmlsbD0iI0U4RThFOCIvPgo8cGF0aCBkPSJNMTEuOTk5OCA3SDMuOTk5NzZWOUgxMS45OTk4VjdaIiBmaWxsPSIjRThFOEU4Ii8+CjxwYXRoIGQ9Ik0xNCA0SDJWNkgxNFY0WiIgZmlsbD0iI0U4RThFOCIvPgo8L3N2Zz4K\");\n}\n\n.hc-black .monaco-list-type-filter > .controls > .filter {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTYgOS45OTk1MUgyVjExLjk5OTVINlY5Ljk5OTUxWiIgZmlsbD0id2hpdGUiLz4KPHBhdGggZD0iTTEwIDdIMlY5SDEwVjdaIiBmaWxsPSJ3aGl0ZSIvPgo8cGF0aCBkPSJNMTQgNEgyVjZIMTRWNFoiIGZpbGw9IndoaXRlIi8+Cjwvc3ZnPgo=\");\n}\n\n.hc-black .monaco-list-type-filter > .controls > .filter:checked {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgZmlsbD0ibm9uZSIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj4KPHBhdGggZD0iTTEwLjAwMDIgMTBINi4wMDAyNFYxMkgxMC4wMDAyVjEwWiIgZmlsbD0id2hpdGUiLz4KPHBhdGggZD0iTTExLjk5OTggN0gzLjk5OTc2VjlIMTEuOTk5OFY3WiIgZmlsbD0id2hpdGUiLz4KPHBhdGggZD0iTTE0IDRIMlY2SDE0VjRaIiBmaWxsPSJ3aGl0ZSIvPgo8L3N2Zz4K\");\n}\n\n.monaco-list-type-filter > .controls > .clear {\n\tborder: none;\n\tbackground: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iIzQyNDI0MiIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\");\n\tcursor: pointer;\n}\n\n.vs-dark .monaco-list-type-filter > .controls > .clear {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiIgdmlld0JveD0iMyAzIDE2IDE2IiBlbmFibGUtYmFja2dyb3VuZD0ibmV3IDMgMyAxNiAxNiI+PHBvbHlnb24gZmlsbD0iI2U4ZThlOCIgcG9pbnRzPSIxMi41OTcsMTEuMDQyIDE1LjQsMTMuODQ1IDEzLjg0NCwxNS40IDExLjA0MiwxMi41OTggOC4yMzksMTUuNCA2LjY4MywxMy44NDUgOS40ODUsMTEuMDQyIDYuNjgzLDguMjM5IDguMjM4LDYuNjgzIDExLjA0Miw5LjQ4NiAxMy44NDUsNi42ODMgMTUuNCw4LjIzOSIvPjwvc3ZnPg==\");\n}\n\n.hc-black .monaco-list-type-filter > .controls > .clear {\n\tbackground-image: url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+CjxzdmcKICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgogICB4bWxuczpjYz0iaHR0cDovL2NyZWF0aXZlY29tbW9ucy5vcmcvbnMjIgogICB4bWxuczpyZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiCiAgIHhtbG5zOnN2Zz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiAgIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgaWQ9InN2ZzczMjAiCiAgIHZlcnNpb249IjEuMSIKICAgZW5hYmxlLWJhY2tncm91bmQ9Im5ldyAzIDMgMTYgMTYiCiAgIHZpZXdCb3g9IjMgMyAxNiAxNiIKICAgaGVpZ2h0PSIxNiIKICAgd2lkdGg9IjE2Ij4KICA8bWV0YWRhdGEKICAgICBpZD0ibWV0YWRhdGE3MzI2Ij4KICAgIDxyZGY6UkRGPgogICAgICA8Y2M6V29yawogICAgICAgICByZGY6YWJvdXQ9IiI+CiAgICAgICAgPGRjOmZvcm1hdD5pbWFnZS9zdmcreG1sPC9kYzpmb3JtYXQ+CiAgICAgICAgPGRjOnR5cGUKICAgICAgICAgICByZGY6cmVzb3VyY2U9Imh0dHA6Ly9wdXJsLm9yZy9kYy9kY21pdHlwZS9TdGlsbEltYWdlIiAvPgogICAgICAgIDxkYzp0aXRsZT48L2RjOnRpdGxlPgogICAgICA8L2NjOldvcms+CiAgICA8L3JkZjpSREY+CiAgPC9tZXRhZGF0YT4KICA8ZGVmcwogICAgIGlkPSJkZWZzNzMyNCIgLz4KICA8cG9seWdvbgogICAgIHN0eWxlPSJmaWxsOiNmZmZmZmY7ZmlsbC1vcGFjaXR5OjEiCiAgICAgaWQ9InBvbHlnb243MzE4IgogICAgIHBvaW50cz0iMTIuNTk3LDExLjA0MiAxNS40LDEzLjg0NSAxMy44NDQsMTUuNCAxMS4wNDIsMTIuNTk4IDguMjM5LDE1LjQgNi42ODMsMTMuODQ1IDkuNDg1LDExLjA0MiA2LjY4Myw4LjIzOSA4LjIzOCw2LjY4MyAxMS4wNDIsOS40ODYgMTMuODQ1LDYuNjgzIDE1LjQsOC4yMzkiCiAgICAgZmlsbD0iIzQyNDI0MiIgLz4KPC9zdmc+Cg==\");\n}\n\n.monaco-list-type-filter-message {\n\tposition: absolute;\n\t-webkit-box-sizing: border-box;\n\t box-sizing: border-box;\n\twidth: 100%;\n\theight: 100%;\n\ttop: 0;\n\tleft: 0;\n\tpadding: 40px 1em 1em 1em;\n\ttext-align: center;\n\twhite-space: normal;\n\topacity: 0.7;\n\tpointer-events: none;\n}\n\n.monaco-list-type-filter-message:empty {\n\tdisplay: none;\n}\n\n/* Electron */\n\n.monaco-list-type-filter {\n\tcursor: -webkit-grab;\n}\n\n.monaco-list-type-filter.dragging {\n\tcursor: -webkit-grabbing;\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2069: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ListAriaRootRole; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var ListAriaRootRole; (function (ListAriaRootRole) { /** default tree structure role */ ListAriaRootRole["TREE"] = "tree"; /** role='tree' can interfere with screenreaders reading nested elements inside the tree row. Use FORM in that case. */ ListAriaRootRole["FORM"] = "form"; })(ListAriaRootRole || (ListAriaRootRole = {})); /***/ }), /***/ 2070: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export groupIntersect */ /* harmony export (immutable) */ __webpack_exports__["b"] = shift; /* unused harmony export consolidate */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return RangeMap; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_range_js__ = __webpack_require__(1583); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Returns the intersection between a ranged group and a range. * Returns `[]` if the intersection is empty. */ function groupIntersect(range, groups) { var result = []; for (var _i = 0, groups_1 = groups; _i < groups_1.length; _i++) { var r = groups_1[_i]; if (range.start >= r.range.end) { continue; } if (range.end < r.range.start) { break; } var intersection = __WEBPACK_IMPORTED_MODULE_0__common_range_js__["a" /* Range */].intersect(range, r.range); if (__WEBPACK_IMPORTED_MODULE_0__common_range_js__["a" /* Range */].isEmpty(intersection)) { continue; } result.push({ range: intersection, size: r.size }); } return result; } /** * Shifts a range by that `much`. */ function shift(_a, much) { var start = _a.start, end = _a.end; return { start: start + much, end: end + much }; } /** * Consolidates a collection of ranged groups. * * Consolidation is the process of merging consecutive ranged groups * that share the same `size`. */ function consolidate(groups) { var result = []; var previousGroup = null; for (var _i = 0, groups_2 = groups; _i < groups_2.length; _i++) { var group = groups_2[_i]; var start = group.range.start; var end = group.range.end; var size = group.size; if (previousGroup && size === previousGroup.size) { previousGroup.range.end = end; continue; } previousGroup = { range: { start: start, end: end }, size: size }; result.push(previousGroup); } return result; } /** * Concatenates several collections of ranged groups into a single * collection. */ function concat() { var groups = []; for (var _i = 0; _i < arguments.length; _i++) { groups[_i] = arguments[_i]; } return consolidate(groups.reduce(function (r, g) { return r.concat(g); }, [])); } var RangeMap = /** @class */ (function () { function RangeMap() { this.groups = []; this._size = 0; } RangeMap.prototype.splice = function (index, deleteCount, items) { if (items === void 0) { items = []; } var diff = items.length - deleteCount; var before = groupIntersect({ start: 0, end: index }, this.groups); var after = groupIntersect({ start: index + deleteCount, end: Number.POSITIVE_INFINITY }, this.groups) .map(function (g) { return ({ range: shift(g.range, diff), size: g.size }); }); var middle = items.map(function (item, i) { return ({ range: { start: index + i, end: index + i + 1 }, size: item.size }); }); this.groups = concat(before, middle, after); this._size = this.groups.reduce(function (t, g) { return t + (g.size * (g.range.end - g.range.start)); }, 0); }; Object.defineProperty(RangeMap.prototype, "count", { /** * Returns the number of items in the range map. */ get: function () { var len = this.groups.length; if (!len) { return 0; } return this.groups[len - 1].range.end; }, enumerable: true, configurable: true }); Object.defineProperty(RangeMap.prototype, "size", { /** * Returns the sum of the sizes of all items in the range map. */ get: function () { return this._size; }, enumerable: true, configurable: true }); /** * Returns the index of the item at the given position. */ RangeMap.prototype.indexAt = function (position) { if (position < 0) { return -1; } var index = 0; var size = 0; for (var _i = 0, _a = this.groups; _i < _a.length; _i++) { var group = _a[_i]; var count = group.range.end - group.range.start; var newSize = size + (count * group.size); if (position < newSize) { return index + Math.floor((position - size) / group.size); } index += count; size = newSize; } return index; }; /** * Returns the index of the item right after the item at the * index of the given position. */ RangeMap.prototype.indexAfter = function (position) { return Math.min(this.indexAt(position) + 1, this.count); }; /** * Returns the start position of the item at the given index. */ RangeMap.prototype.positionAt = function (index) { if (index < 0) { return -1; } var position = 0; var count = 0; for (var _i = 0, _a = this.groups; _i < _a.length; _i++) { var group = _a[_i]; var groupCount = group.range.end - group.range.start; var newCount = count + groupCount; if (index < newCount) { return position + ((index - count) * group.size); } position += groupCount * group.size; count = newCount; } return -1; }; RangeMap.prototype.dispose = function () { this.groups = null; // StrictNullOverride: nulling out ok in dispose }; return RangeMap; }()); /***/ }), /***/ 2071: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return RowCache; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__dom_js__ = __webpack_require__(856); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function removeFromParent(element) { try { if (element.parentElement) { element.parentElement.removeChild(element); } } catch (e) { // this will throw if this happens due to a blur event, nasty business } } var RowCache = /** @class */ (function () { function RowCache(renderers) { this.renderers = renderers; this.cache = new Map(); } /** * Returns a row either by creating a new one or reusing * a previously released row which shares the same templateId. */ RowCache.prototype.alloc = function (templateId) { var result = this.getTemplateCache(templateId).pop(); if (!result) { var domNode = Object(__WEBPACK_IMPORTED_MODULE_0__dom_js__["a" /* $ */])('.monaco-list-row'); var renderer = this.getRenderer(templateId); var templateData = renderer.renderTemplate(domNode); result = { domNode: domNode, templateId: templateId, templateData: templateData }; } return result; }; /** * Releases the row for eventual reuse. */ RowCache.prototype.release = function (row) { if (!row) { return; } this.releaseRow(row); }; RowCache.prototype.releaseRow = function (row) { var domNode = row.domNode, templateId = row.templateId; if (domNode) { Object(__WEBPACK_IMPORTED_MODULE_0__dom_js__["D" /* removeClass */])(domNode, 'scrolling'); removeFromParent(domNode); } var cache = this.getTemplateCache(templateId); cache.push(row); }; RowCache.prototype.getTemplateCache = function (templateId) { var result = this.cache.get(templateId); if (!result) { result = []; this.cache.set(templateId, result); } return result; }; RowCache.prototype.garbageCollect = function () { var _this = this; if (!this.renderers) { return; } this.cache.forEach(function (cachedRows, templateId) { for (var _i = 0, cachedRows_1 = cachedRows; _i < cachedRows_1.length; _i++) { var cachedRow = cachedRows_1[_i]; var renderer = _this.getRenderer(templateId); renderer.disposeTemplate(cachedRow.templateData); cachedRow.domNode = null; cachedRow.templateData = null; } }); this.cache.clear(); }; RowCache.prototype.dispose = function () { this.garbageCollect(); this.cache.clear(); this.renderers = null; // StrictNullOverride: nulling out ok in dispose }; RowCache.prototype.getRenderer = function (templateId) { var renderer = this.renderers.get(templateId); if (!renderer) { throw new Error("No renderer found for " + templateId); } return renderer; }; return RowCache; }()); /***/ }), /***/ 2072: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return CombinedSpliceable; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var CombinedSpliceable = /** @class */ (function () { function CombinedSpliceable(spliceables) { this.spliceables = spliceables; } CombinedSpliceable.prototype.splice = function (start, deleteCount, elements) { this.spliceables.forEach(function (s) { return s.splice(start, deleteCount, elements); }); }; return CombinedSpliceable; }()); /***/ }), /***/ 2073: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ChildrenResolutionReason */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return AsyncDataTree; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__abstractTree_js__ = __webpack_require__(1724); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__objectTree_js__ = __webpack_require__(2076); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_iterator_js__ = __webpack_require__(1392); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__list_listView_js__ = __webpack_require__(1584); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__dom_js__ = __webpack_require__(856); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) { return new (P || (P = Promise))(function (resolve, reject) { function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } function step(result) { result.done ? resolve(result.value) : new P(function (resolve) { resolve(result.value); }).then(fulfilled, rejected); } step((generator = generator.apply(thisArg, _arguments || [])).next()); }); }; var __generator = (this && this.__generator) || function (thisArg, body) { var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g; return g = { next: verb(0), "throw": verb(1), "return": verb(2) }, typeof Symbol === "function" && (g[Symbol.iterator] = function() { return this; }), g; function verb(n) { return function (v) { return step([n, v]); }; } function step(op) { if (f) throw new TypeError("Generator is already executing."); while (_) try { if (f = 1, y && (t = op[0] & 2 ? y["return"] : op[0] ? y["throw"] || ((t = y["return"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t; if (y = 0, t) op = [op[0] & 2, t.value]; switch (op[0]) { case 0: case 1: t = op; break; case 4: _.label++; return { value: op[1], done: false }; case 5: _.label++; y = op[1]; op = [0]; continue; case 7: op = _.ops.pop(); _.trys.pop(); continue; default: if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; } if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; } if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; } if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; } if (t[2]) _.ops.pop(); _.trys.pop(); continue; } op = body.call(thisArg, _); } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; } if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true }; } }; function isAncestor(ancestor, descendant) { if (!descendant.parent) { return false; } else if (descendant.parent === ancestor) { return true; } else { return isAncestor(ancestor, descendant.parent); } } function intersects(node, other) { return node === other || isAncestor(node, other) || isAncestor(other, node); } var AsyncDataTreeNodeWrapper = /** @class */ (function () { function AsyncDataTreeNodeWrapper(node) { this.node = node; } Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "element", { get: function () { return this.node.element.element; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "parent", { get: function () { return this.node.parent && new AsyncDataTreeNodeWrapper(this.node.parent); }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "children", { get: function () { return this.node.children.map(function (node) { return new AsyncDataTreeNodeWrapper(node); }); }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "depth", { get: function () { return this.node.depth; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "visibleChildrenCount", { get: function () { return this.node.visibleChildrenCount; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "visibleChildIndex", { get: function () { return this.node.visibleChildIndex; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "collapsible", { get: function () { return this.node.collapsible; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "collapsed", { get: function () { return this.node.collapsed; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "visible", { get: function () { return this.node.visible; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTreeNodeWrapper.prototype, "filterData", { get: function () { return this.node.filterData; }, enumerable: true, configurable: true }); return AsyncDataTreeNodeWrapper; }()); var DataTreeRenderer = /** @class */ (function () { function DataTreeRenderer(renderer, onDidChangeTwistieState) { this.renderer = renderer; this.onDidChangeTwistieState = onDidChangeTwistieState; this.renderedNodes = new Map(); this.disposables = []; this.templateId = renderer.templateId; } DataTreeRenderer.prototype.renderTemplate = function (container) { var templateData = this.renderer.renderTemplate(container); return { templateData: templateData }; }; DataTreeRenderer.prototype.renderElement = function (node, index, templateData, dynamicHeightProbing) { this.renderer.renderElement(new AsyncDataTreeNodeWrapper(node), index, templateData.templateData, dynamicHeightProbing); }; DataTreeRenderer.prototype.renderTwistie = function (element, twistieElement) { Object(__WEBPACK_IMPORTED_MODULE_8__dom_js__["M" /* toggleClass */])(twistieElement, 'loading', element.slow); return false; }; DataTreeRenderer.prototype.disposeElement = function (node, index, templateData, dynamicHeightProbing) { if (this.renderer.disposeElement) { this.renderer.disposeElement(new AsyncDataTreeNodeWrapper(node), index, templateData.templateData, dynamicHeightProbing); } }; DataTreeRenderer.prototype.disposeTemplate = function (templateData) { this.renderer.disposeTemplate(templateData.templateData); }; DataTreeRenderer.prototype.dispose = function () { this.renderedNodes.clear(); this.disposables = Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return DataTreeRenderer; }()); function asTreeEvent(e) { return { browserEvent: e.browserEvent, elements: e.elements.map(function (e) { return e.element; }) }; } function asTreeMouseEvent(e) { return { browserEvent: e.browserEvent, element: e.element && e.element.element }; } var ChildrenResolutionReason; (function (ChildrenResolutionReason) { ChildrenResolutionReason[ChildrenResolutionReason["Refresh"] = 0] = "Refresh"; ChildrenResolutionReason[ChildrenResolutionReason["Expand"] = 1] = "Expand"; })(ChildrenResolutionReason || (ChildrenResolutionReason = {})); function asAsyncDataTreeDragAndDropData(data) { if (data instanceof __WEBPACK_IMPORTED_MODULE_6__list_listView_js__["a" /* ElementsDragAndDropData */]) { var nodes = data.elements; return new __WEBPACK_IMPORTED_MODULE_6__list_listView_js__["a" /* ElementsDragAndDropData */](nodes.map(function (node) { return node.element; })); } return data; } var AsyncDataTreeNodeListDragAndDrop = /** @class */ (function () { function AsyncDataTreeNodeListDragAndDrop(dnd) { this.dnd = dnd; } AsyncDataTreeNodeListDragAndDrop.prototype.getDragURI = function (node) { return this.dnd.getDragURI(node.element); }; AsyncDataTreeNodeListDragAndDrop.prototype.getDragLabel = function (nodes) { if (this.dnd.getDragLabel) { return this.dnd.getDragLabel(nodes.map(function (node) { return node.element; })); } return undefined; }; AsyncDataTreeNodeListDragAndDrop.prototype.onDragStart = function (data, originalEvent) { if (this.dnd.onDragStart) { this.dnd.onDragStart(asAsyncDataTreeDragAndDropData(data), originalEvent); } }; AsyncDataTreeNodeListDragAndDrop.prototype.onDragOver = function (data, targetNode, targetIndex, originalEvent, raw) { if (raw === void 0) { raw = true; } return this.dnd.onDragOver(asAsyncDataTreeDragAndDropData(data), targetNode && targetNode.element, targetIndex, originalEvent); }; AsyncDataTreeNodeListDragAndDrop.prototype.drop = function (data, targetNode, targetIndex, originalEvent) { this.dnd.drop(asAsyncDataTreeDragAndDropData(data), targetNode && targetNode.element, targetIndex, originalEvent); }; return AsyncDataTreeNodeListDragAndDrop; }()); function asObjectTreeOptions(options) { return options && __assign({}, options, { collapseByDefault: true, identityProvider: options.identityProvider && { getId: function (el) { return options.identityProvider.getId(el.element); } }, dnd: options.dnd && new AsyncDataTreeNodeListDragAndDrop(options.dnd), multipleSelectionController: options.multipleSelectionController && { isSelectionSingleChangeEvent: function (e) { return options.multipleSelectionController.isSelectionSingleChangeEvent(__assign({}, e, { element: e.element })); }, isSelectionRangeChangeEvent: function (e) { return options.multipleSelectionController.isSelectionRangeChangeEvent(__assign({}, e, { element: e.element })); } }, accessibilityProvider: options.accessibilityProvider && { getAriaLabel: function (e) { return options.accessibilityProvider.getAriaLabel(e.element); } }, filter: options.filter && { filter: function (e, parentVisibility) { return options.filter.filter(e.element, parentVisibility); } }, keyboardNavigationLabelProvider: options.keyboardNavigationLabelProvider && { getKeyboardNavigationLabel: function (e) { return options.keyboardNavigationLabelProvider.getKeyboardNavigationLabel(e.element); } }, sorter: undefined, expandOnlyOnTwistieClick: typeof options.expandOnlyOnTwistieClick === 'undefined' ? undefined : (typeof options.expandOnlyOnTwistieClick !== 'function' ? options.expandOnlyOnTwistieClick : (function (e) { return options.expandOnlyOnTwistieClick(e.element); })), ariaSetProvider: undefined }); } function asTreeElement(node, viewStateContext) { var collapsed; if (viewStateContext && viewStateContext.viewState.expanded && node.id) { collapsed = viewStateContext.viewState.expanded.indexOf(node.id) === -1; } return { element: node, children: __WEBPACK_IMPORTED_MODULE_5__common_iterator_js__["b" /* Iterator */].map(__WEBPACK_IMPORTED_MODULE_5__common_iterator_js__["b" /* Iterator */].fromArray(node.children), function (child) { return asTreeElement(child, viewStateContext); }), collapsible: node.hasChildren, collapsed: collapsed }; } var AsyncDataTree = /** @class */ (function () { function AsyncDataTree(container, delegate, renderers, dataSource, options) { if (options === void 0) { options = {}; } var _this = this; this.dataSource = dataSource; this.nodes = new Map(); this.subTreeRefreshPromises = new Map(); this.refreshPromises = new Map(); this._onDidRender = new __WEBPACK_IMPORTED_MODULE_3__common_event_js__["a" /* Emitter */](); this._onDidChangeNodeSlowState = new __WEBPACK_IMPORTED_MODULE_3__common_event_js__["a" /* Emitter */](); this.disposables = []; this.identityProvider = options.identityProvider; this.autoExpandSingleChildren = typeof options.autoExpandSingleChildren === 'undefined' ? false : options.autoExpandSingleChildren; this.sorter = options.sorter; var objectTreeDelegate = new __WEBPACK_IMPORTED_MODULE_0__abstractTree_js__["b" /* ComposedTreeDelegate */](delegate); var objectTreeRenderers = renderers.map(function (r) { return new DataTreeRenderer(r, _this._onDidChangeNodeSlowState.event); }); var objectTreeOptions = asObjectTreeOptions(options) || {}; this.tree = new __WEBPACK_IMPORTED_MODULE_1__objectTree_js__["a" /* ObjectTree */](container, objectTreeDelegate, objectTreeRenderers, objectTreeOptions); this.root = { element: undefined, parent: null, children: [], state: "uninitialized" /* Uninitialized */, hasChildren: true, needsRefresh: false, disposed: false, slow: false }; if (this.identityProvider) { this.root = __assign({}, this.root, { id: null }); } this.nodes.set(null, this.root); this.tree.onDidChangeCollapseState(this._onDidChangeCollapseState, this, this.disposables); } Object.defineProperty(AsyncDataTree.prototype, "onDidChangeFocus", { get: function () { return __WEBPACK_IMPORTED_MODULE_3__common_event_js__["b" /* Event */].map(this.tree.onDidChangeFocus, asTreeEvent); }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTree.prototype, "onDidChangeSelection", { get: function () { return __WEBPACK_IMPORTED_MODULE_3__common_event_js__["b" /* Event */].map(this.tree.onDidChangeSelection, asTreeEvent); }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTree.prototype, "onMouseDblClick", { get: function () { return __WEBPACK_IMPORTED_MODULE_3__common_event_js__["b" /* Event */].map(this.tree.onMouseDblClick, asTreeMouseEvent); }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTree.prototype, "onDidFocus", { get: function () { return this.tree.onDidFocus; }, enumerable: true, configurable: true }); Object.defineProperty(AsyncDataTree.prototype, "onDidDispose", { get: function () { return this.tree.onDidDispose; }, enumerable: true, configurable: true }); AsyncDataTree.prototype.updateOptions = function (options) { if (options === void 0) { options = {}; } this.tree.updateOptions(options); }; // Widget AsyncDataTree.prototype.getHTMLElement = function () { return this.tree.getHTMLElement(); }; Object.defineProperty(AsyncDataTree.prototype, "scrollTop", { get: function () { return this.tree.scrollTop; }, set: function (scrollTop) { this.tree.scrollTop = scrollTop; }, enumerable: true, configurable: true }); AsyncDataTree.prototype.domFocus = function () { this.tree.domFocus(); }; AsyncDataTree.prototype.layout = function (height, width) { this.tree.layout(height, width); }; AsyncDataTree.prototype.style = function (styles) { this.tree.style(styles); }; // Model AsyncDataTree.prototype.getInput = function () { return this.root.element; }; AsyncDataTree.prototype.setInput = function (input, viewState) { return __awaiter(this, void 0, void 0, function () { var viewStateContext; return __generator(this, function (_a) { switch (_a.label) { case 0: this.refreshPromises.forEach(function (promise) { return promise.cancel(); }); this.refreshPromises.clear(); this.root.element = input; viewStateContext = viewState && { viewState: viewState, focus: [], selection: [] }; return [4 /*yield*/, this.updateChildren(input, true, viewStateContext)]; case 1: _a.sent(); if (viewStateContext) { this.tree.setFocus(viewStateContext.focus); this.tree.setSelection(viewStateContext.selection); } if (viewState && typeof viewState.scrollTop === 'number') { this.scrollTop = viewState.scrollTop; } return [2 /*return*/]; } }); }); }; AsyncDataTree.prototype.updateChildren = function (element, recursive, viewStateContext) { if (element === void 0) { element = this.root.element; } if (recursive === void 0) { recursive = true; } return __awaiter(this, void 0, void 0, function () { return __generator(this, function (_a) { switch (_a.label) { case 0: if (typeof this.root.element === 'undefined') { throw new Error('Tree input not set'); } if (!(this.root.state === "loading" /* Loading */)) return [3 /*break*/, 3]; return [4 /*yield*/, this.subTreeRefreshPromises.get(this.root)]; case 1: _a.sent(); return [4 /*yield*/, __WEBPACK_IMPORTED_MODULE_3__common_event_js__["b" /* Event */].toPromise(this._onDidRender.event)]; case 2: _a.sent(); _a.label = 3; case 3: return [4 /*yield*/, this.refreshAndRenderNode(this.getDataNode(element), recursive, ChildrenResolutionReason.Refresh, viewStateContext)]; case 4: _a.sent(); return [2 /*return*/]; } }); }); }; // View AsyncDataTree.prototype.rerender = function (element) { if (element === undefined) { this.tree.rerender(); return; } var node = this.getDataNode(element); this.tree.rerender(node); }; AsyncDataTree.prototype.collapse = function (element, recursive) { if (recursive === void 0) { recursive = false; } var node = this.getDataNode(element); return this.tree.collapse(node === this.root ? null : node, recursive); }; AsyncDataTree.prototype.expand = function (element, recursive) { if (recursive === void 0) { recursive = false; } return __awaiter(this, void 0, void 0, function () { var node, result; return __generator(this, function (_a) { switch (_a.label) { case 0: if (typeof this.root.element === 'undefined') { throw new Error('Tree input not set'); } if (!(this.root.state === "loading" /* Loading */)) return [3 /*break*/, 3]; return [4 /*yield*/, this.subTreeRefreshPromises.get(this.root)]; case 1: _a.sent(); return [4 /*yield*/, __WEBPACK_IMPORTED_MODULE_3__common_event_js__["b" /* Event */].toPromise(this._onDidRender.event)]; case 2: _a.sent(); _a.label = 3; case 3: node = this.getDataNode(element); if (node !== this.root && node.state !== "loading" /* Loading */ && !this.tree.isCollapsed(node)) { return [2 /*return*/, false]; } result = this.tree.expand(node === this.root ? null : node, recursive); if (!(node.state === "loading" /* Loading */)) return [3 /*break*/, 6]; return [4 /*yield*/, this.subTreeRefreshPromises.get(node)]; case 4: _a.sent(); return [4 /*yield*/, __WEBPACK_IMPORTED_MODULE_3__common_event_js__["b" /* Event */].toPromise(this._onDidRender.event)]; case 5: _a.sent(); _a.label = 6; case 6: return [2 /*return*/, result]; } }); }); }; AsyncDataTree.prototype.setSelection = function (elements, browserEvent) { var _this = this; var nodes = elements.map(function (e) { return _this.getDataNode(e); }); this.tree.setSelection(nodes, browserEvent); }; AsyncDataTree.prototype.getSelection = function () { var nodes = this.tree.getSelection(); return nodes.map(function (n) { return n.element; }); }; AsyncDataTree.prototype.setFocus = function (elements, browserEvent) { var _this = this; var nodes = elements.map(function (e) { return _this.getDataNode(e); }); this.tree.setFocus(nodes, browserEvent); }; AsyncDataTree.prototype.getFocus = function () { var nodes = this.tree.getFocus(); return nodes.map(function (n) { return n.element; }); }; AsyncDataTree.prototype.reveal = function (element, relativeTop) { this.tree.reveal(this.getDataNode(element), relativeTop); }; // Implementation AsyncDataTree.prototype.getDataNode = function (element) { var node = this.nodes.get((element === this.root.element ? null : element)); if (!node) { throw new Error("Data tree node not found: " + element); } return node; }; AsyncDataTree.prototype.refreshAndRenderNode = function (node, recursive, reason, viewStateContext) { return __awaiter(this, void 0, void 0, function () { var treeNode, visibleChildren; return __generator(this, function (_a) { switch (_a.label) { case 0: return [4 /*yield*/, this.refreshNode(node, recursive, viewStateContext)]; case 1: _a.sent(); this.render(node, viewStateContext); if (!(node !== this.root && this.autoExpandSingleChildren && reason === ChildrenResolutionReason.Expand)) return [3 /*break*/, 3]; treeNode = this.tree.getNode(node); visibleChildren = treeNode.children.filter(function (node) { return node.visible; }); if (!(visibleChildren.length === 1)) return [3 /*break*/, 3]; return [4 /*yield*/, this.tree.expand(visibleChildren[0].element, false)]; case 2: _a.sent(); _a.label = 3; case 3: return [2 /*return*/]; } }); }); }; AsyncDataTree.prototype.refreshNode = function (node, recursive, viewStateContext) { return __awaiter(this, void 0, void 0, function () { var result; var _this = this; return __generator(this, function (_a) { switch (_a.label) { case 0: if (node.disposed) { console.error('Async data tree node is disposed'); return [2 /*return*/]; } this.subTreeRefreshPromises.forEach(function (refreshPromise, refreshNode) { if (!result && intersects(refreshNode, node)) { result = refreshPromise.then(function () { return _this.refreshNode(node, recursive, viewStateContext); }); } }); if (result) { return [2 /*return*/, result]; } result = this.doRefreshSubTree(node, recursive, viewStateContext); this.subTreeRefreshPromises.set(node, result); _a.label = 1; case 1: _a.trys.push([1, , 3, 4]); return [4 /*yield*/, result]; case 2: _a.sent(); return [3 /*break*/, 4]; case 3: this.subTreeRefreshPromises.delete(node); return [7 /*endfinally*/]; case 4: return [2 /*return*/]; } }); }); }; AsyncDataTree.prototype.doRefreshSubTree = function (node, recursive, viewStateContext) { return __awaiter(this, void 0, void 0, function () { var childrenToRefresh; var _this = this; return __generator(this, function (_a) { switch (_a.label) { case 0: node.state = "loading" /* Loading */; _a.label = 1; case 1: _a.trys.push([1, , 5, 6]); return [4 /*yield*/, this.doRefreshNode(node, recursive, viewStateContext)]; case 2: _a.sent(); if (!recursive) return [3 /*break*/, 4]; childrenToRefresh = node.children .filter(function (child) { if (child.needsRefresh) { child.needsRefresh = false; return true; } // TODO@joao: is this still needed? if (child.hasChildren && child.state === "loaded" /* Loaded */) { return true; } if (!viewStateContext || !viewStateContext.viewState.expanded || !child.id) { return false; } return viewStateContext.viewState.expanded.indexOf(child.id) > -1; }); return [4 /*yield*/, Promise.all(childrenToRefresh.map(function (child) { return _this.doRefreshSubTree(child, recursive, viewStateContext); }))]; case 3: _a.sent(); _a.label = 4; case 4: return [3 /*break*/, 6]; case 5: node.state = "loaded" /* Loaded */; return [7 /*endfinally*/]; case 6: return [2 /*return*/]; } }); }); }; AsyncDataTree.prototype.doRefreshNode = function (node, recursive, viewStateContext) { return __awaiter(this, void 0, void 0, function () { var childrenPromise, slowTimeout_1, children, err_1; var _this = this; return __generator(this, function (_a) { switch (_a.label) { case 0: node.hasChildren = !!this.dataSource.hasChildren(node.element); if (!node.hasChildren) { childrenPromise = Promise.resolve([]); } else { slowTimeout_1 = Object(__WEBPACK_IMPORTED_MODULE_4__common_async_js__["h" /* timeout */])(800); slowTimeout_1.then(function () { node.slow = true; _this._onDidChangeNodeSlowState.fire(node); }, function (_) { return null; }); childrenPromise = this.doGetChildren(node) .finally(function () { return slowTimeout_1.cancel(); }); } _a.label = 1; case 1: _a.trys.push([1, 3, 4, 5]); return [4 /*yield*/, childrenPromise]; case 2: children = _a.sent(); this.setChildren(node, children, recursive, viewStateContext); return [3 /*break*/, 5]; case 3: err_1 = _a.sent(); node.needsRefresh = true; if (node !== this.root) { this.tree.collapse(node === this.root ? null : node); } if (Object(__WEBPACK_IMPORTED_MODULE_7__common_errors_js__["d" /* isPromiseCanceledError */])(err_1)) { return [2 /*return*/]; } throw err_1; case 4: if (node.slow) { node.slow = false; this._onDidChangeNodeSlowState.fire(node); } return [7 /*endfinally*/]; case 5: return [2 /*return*/]; } }); }); }; AsyncDataTree.prototype.doGetChildren = function (node) { var _this = this; var result = this.refreshPromises.get(node); if (result) { return result; } result = Object(__WEBPACK_IMPORTED_MODULE_4__common_async_js__["e" /* createCancelablePromise */])(function () { return __awaiter(_this, void 0, void 0, function () { var children; return __generator(this, function (_a) { switch (_a.label) { case 0: return [4 /*yield*/, this.dataSource.getChildren(node.element)]; case 1: children = _a.sent(); if (this.sorter) { children.sort(this.sorter.compare.bind(this.sorter)); } return [2 /*return*/, children]; } }); }); }); this.refreshPromises.set(node, result); return result.finally(function () { return _this.refreshPromises.delete(node); }); }; AsyncDataTree.prototype._onDidChangeCollapseState = function (_a) { var node = _a.node, deep = _a.deep; if (!node.collapsed && (node.element.state === "uninitialized" /* Uninitialized */ || node.element.needsRefresh)) { if (deep) { this.collapse(node.element.element); } else { this.refreshAndRenderNode(node.element, false, ChildrenResolutionReason.Expand) .catch(__WEBPACK_IMPORTED_MODULE_7__common_errors_js__["e" /* onUnexpectedError */]); } } }; AsyncDataTree.prototype.setChildren = function (node, childrenElements, recursive, viewStateContext) { var _this = this; var _a; var nodeChildren; if (this.identityProvider) { nodeChildren = new Map(); for (var _i = 0, _b = node.children; _i < _b.length; _i++) { var child = _b[_i]; nodeChildren.set(child.id, child); } } var children = childrenElements.map(function (element) { if (!_this.identityProvider) { var hasChildren_1 = !!_this.dataSource.hasChildren(element); return { element: element, parent: node, children: [], state: "uninitialized" /* Uninitialized */, hasChildren: hasChildren_1, needsRefresh: false, disposed: false, slow: false }; } var id = _this.identityProvider.getId(element).toString(); var asyncDataTreeNode = nodeChildren.get(id); if (!asyncDataTreeNode) { var childAsyncDataTreeNode = { element: element, parent: node, children: [], id: id, state: "uninitialized" /* Uninitialized */, hasChildren: !!_this.dataSource.hasChildren(element), needsRefresh: false, disposed: false, slow: false }; if (viewStateContext && viewStateContext.viewState.focus && viewStateContext.viewState.focus.indexOf(id) > -1) { viewStateContext.focus.push(childAsyncDataTreeNode); } if (viewStateContext && viewStateContext.viewState.selection && viewStateContext.viewState.selection.indexOf(id) > -1) { viewStateContext.selection.push(childAsyncDataTreeNode); } return childAsyncDataTreeNode; } asyncDataTreeNode.element = element; var hasChildren = _this.dataSource.hasChildren(asyncDataTreeNode.element); if (asyncDataTreeNode.state === "loaded" /* Loaded */ || (asyncDataTreeNode.state !== "uninitialized" /* Uninitialized */ && asyncDataTreeNode.hasChildren !== !!hasChildren)) { asyncDataTreeNode.needsRefresh = true; } asyncDataTreeNode.hasChildren = hasChildren; return asyncDataTreeNode; }); // perf: if the node was and still is a leaf, avoid all these expensive no-ops if (node.children.length === 0 && childrenElements.length === 0) { return; } (_a = node.children).splice.apply(_a, [0, node.children.length].concat(children)); }; AsyncDataTree.prototype.render = function (node, viewStateContext) { var _this = this; var insertedElements = new Set(); var onDidCreateNode = function (treeNode) { if (treeNode.element.element) { insertedElements.add(treeNode.element.element); _this.nodes.set(treeNode.element.element, treeNode.element); } }; var onDidDeleteNode = function (treeNode) { if (treeNode.element.element) { if (!insertedElements.has(treeNode.element.element)) { treeNode.element.disposed = true; _this.nodes.delete(treeNode.element.element); } } }; var children = node.children.map(function (c) { return asTreeElement(c, viewStateContext); }); this.tree.setChildren(node === this.root ? null : node, children, onDidCreateNode, onDidDeleteNode); this._onDidRender.fire(); }; AsyncDataTree.prototype.dispose = function () { Object(__WEBPACK_IMPORTED_MODULE_2__common_lifecycle_js__["d" /* dispose */])(this.disposables); }; return AsyncDataTree; }()); /***/ }), /***/ 2074: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(2075); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 2075: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".monaco-tl-row{display:-ms-flexbox;display:flex;height:100%;-ms-flex-align:center;align-items:center}.monaco-tl-contents,.monaco-tl-twistie{height:100%}.monaco-tl-twistie{font-size:10px;text-align:right;margin-right:6px;-ms-flex-negative:0;flex-shrink:0;width:16px}.monaco-tl-contents{-ms-flex:1 1;flex:1 1;overflow:hidden}.monaco-tl-twistie.collapsible{background-size:16px;background-position:3px 50%;background-repeat:no-repeat;background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iIzY0NjQ2NSIgZD0iTTExIDEwSDUuMzQ0TDExIDQuNDE0VjEweiIvPjwvc3ZnPg==\")}.monaco-tl-twistie.collapsible.collapsed:not(.loading){display:inline-block;background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iIzY0NjQ2NSIgZD0iTTYgNHY4bDQtNC00LTR6bTEgMi40MTRMOC41ODYgOCA3IDkuNTg2VjYuNDE0eiIvPjwvc3ZnPg==\")}.vs-dark .monaco-tl-twistie.collapsible:not(.loading){background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iI0U4RThFOCIgZD0iTTExIDEwSDUuMzQ0TDExIDQuNDE0VjEweiIvPjwvc3ZnPg==\")}.vs-dark .monaco-tl-twistie.collapsible.collapsed:not(.loading){background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iI0U4RThFOCIgZD0iTTYgNHY4bDQtNC00LTR6bTEgMi40MTRMOC41ODYgOCA3IDkuNTg2VjYuNDE0eiIvPjwvc3ZnPg==\")}.hc-black .monaco-tl-twistie.collapsible:not(.loading){background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiI+PHBhdGggZmlsbD0iI2ZmZiIgZD0iTTExIDEwLjA3aC01LjY1Nmw1LjY1Ni01LjY1NnY1LjY1NnoiLz48L3N2Zz4=\")}.hc-black .monaco-tl-twistie.collapsible.collapsed:not(.loading){background-image:url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiI+PHBhdGggZmlsbD0iI2ZmZiIgZD0iTTYgNHY4bDQtNC00LTR6bTEgMi40MTRsMS41ODYgMS41ODYtMS41ODYgMS41ODZ2LTMuMTcyeiIvPjwvc3ZnPg==\")}.monaco-tl-twistie.loading{background-image:url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0nMS4wJyBzdGFuZGFsb25lPSdubycgPz4KPHN2ZyB4bWxucz0naHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmcnIHZlcnNpb249JzEuMScgd2lkdGg9JzEwcHgnIGhlaWdodD0nMTBweCc+Cgk8c3R5bGU+CiAgICBjaXJjbGUgewogICAgICBhbmltYXRpb246IGJhbGwgMC42cyBsaW5lYXIgaW5maW5pdGU7CiAgICB9CgogICAgY2lyY2xlOm50aC1jaGlsZCgyKSB7IGFuaW1hdGlvbi1kZWxheTogMC4wNzVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDMpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjE1czsgfQogICAgY2lyY2xlOm50aC1jaGlsZCg0KSB7IGFuaW1hdGlvbi1kZWxheTogMC4yMjVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDUpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjNzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDYpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjM3NXM7IH0KICAgIGNpcmNsZTpudGgtY2hpbGQoNykgeyBhbmltYXRpb24tZGVsYXk6IDAuNDVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDgpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjUyNXM7IH0KCiAgICBAa2V5ZnJhbWVzIGJhbGwgewogICAgICBmcm9tIHsgb3BhY2l0eTogMTsgfQogICAgICB0byB7IG9wYWNpdHk6IDAuMzsgfQogICAgfQoJPC9zdHlsZT4KCTxnPgoJCTxjaXJjbGUgY3g9JzUnIGN5PScxJyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzcuODI4NCcgY3k9JzIuMTcxNicgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc5JyBjeT0nNScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc3LjgyODQnIGN5PSc3LjgyODQnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nNScgY3k9JzknIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nMi4xNzE2JyBjeT0nNy44Mjg0JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzEnIGN5PSc1JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzIuMTcxNicgY3k9JzIuMTcxNicgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCTwvZz4KPC9zdmc+Cg==\");background-position:0}.vs-dark .monaco-tl-twistie.loading{background-image:url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0nMS4wJyBzdGFuZGFsb25lPSdubycgPz4KPHN2ZyB4bWxucz0naHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmcnIHZlcnNpb249JzEuMScgd2lkdGg9JzEwcHgnIGhlaWdodD0nMTBweCc+Cgk8c3R5bGU+CiAgICBjaXJjbGUgewogICAgICBhbmltYXRpb246IGJhbGwgMC42cyBsaW5lYXIgaW5maW5pdGU7CiAgICB9CgogICAgY2lyY2xlOm50aC1jaGlsZCgyKSB7IGFuaW1hdGlvbi1kZWxheTogMC4wNzVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDMpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjE1czsgfQogICAgY2lyY2xlOm50aC1jaGlsZCg0KSB7IGFuaW1hdGlvbi1kZWxheTogMC4yMjVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDUpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjNzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDYpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjM3NXM7IH0KICAgIGNpcmNsZTpudGgtY2hpbGQoNykgeyBhbmltYXRpb24tZGVsYXk6IDAuNDVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDgpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjUyNXM7IH0KCiAgICBAa2V5ZnJhbWVzIGJhbGwgewogICAgICBmcm9tIHsgb3BhY2l0eTogMTsgfQogICAgICB0byB7IG9wYWNpdHk6IDAuMzsgfQogICAgfQoJPC9zdHlsZT4KCTxnIHN0eWxlPSJmaWxsOmdyZXk7Ij4KCQk8Y2lyY2xlIGN4PSc1JyBjeT0nMScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc3LjgyODQnIGN5PScyLjE3MTYnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nOScgY3k9JzUnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nNy44Mjg0JyBjeT0nNy44Mjg0JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzUnIGN5PSc5JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzIuMTcxNicgY3k9JzcuODI4NCcgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PScxJyBjeT0nNScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PScyLjE3MTYnIGN5PScyLjE3MTYnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+Cgk8L2c+Cjwvc3ZnPgo=\")}.hc-black .monaco-tl-twistie.loading{background-image:url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0nMS4wJyBzdGFuZGFsb25lPSdubycgPz4KPHN2ZyB4bWxucz0naHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmcnIHZlcnNpb249JzEuMScgd2lkdGg9JzEwcHgnIGhlaWdodD0nMTBweCc+Cgk8c3R5bGU+CiAgICBjaXJjbGUgewogICAgICBhbmltYXRpb246IGJhbGwgMC42cyBsaW5lYXIgaW5maW5pdGU7CiAgICB9CgogICAgY2lyY2xlOm50aC1jaGlsZCgyKSB7IGFuaW1hdGlvbi1kZWxheTogMC4wNzVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDMpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjE1czsgfQogICAgY2lyY2xlOm50aC1jaGlsZCg0KSB7IGFuaW1hdGlvbi1kZWxheTogMC4yMjVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDUpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjNzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDYpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjM3NXM7IH0KICAgIGNpcmNsZTpudGgtY2hpbGQoNykgeyBhbmltYXRpb24tZGVsYXk6IDAuNDVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDgpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjUyNXM7IH0KCiAgICBAa2V5ZnJhbWVzIGJhbGwgewogICAgICBmcm9tIHsgb3BhY2l0eTogMTsgfQogICAgICB0byB7IG9wYWNpdHk6IDAuMzsgfQogICAgfQoJPC9zdHlsZT4KCTxnIHN0eWxlPSJmaWxsOndoaXRlOyI+CgkJPGNpcmNsZSBjeD0nNScgY3k9JzEnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nNy44Mjg0JyBjeT0nMi4xNzE2JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzknIGN5PSc1JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzcuODI4NCcgY3k9JzcuODI4NCcgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc1JyBjeT0nOScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PScyLjE3MTYnIGN5PSc3LjgyODQnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nMScgY3k9JzUnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nMi4xNzE2JyBjeT0nMi4xNzE2JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJPC9nPgo8L3N2Zz4K\")}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_monaco-editor@0.16.2@monaco-editor/esm/vs/base/browser/ui/tree/media/tree.css"],"names":[],"mappings":"AAKA,eACC,oBAAqB,AACrB,aAAc,AACd,YAAa,AACb,sBAAuB,AACnB,kBAAoB,CACxB,AAED,uCAEC,WAAa,CACb,AAED,mBACC,eAAgB,AAChB,iBAAkB,AAClB,iBAAkB,AAClB,oBAAqB,AACjB,cAAe,AACnB,UAAY,CACZ,AAED,oBACC,aAAc,AACV,SAAU,AACd,eAAiB,CACjB,AAED,+BACC,qBAAsB,AACtB,4BAA6B,AAC7B,4BAA6B,AAC7B,kNAAoN,CACpN,AAED,uDACC,qBAAsB,AACtB,8OAAgP,CAChP,AAED,sDACC,kNAAoN,CACpN,AAED,gEACC,8OAAgP,CAChP,AAED,uDACC,8NAAgO,CAChO,AAED,iEACC,0PAA4P,CAC5P,AAED,2BACC,2iDAA4iD,AAC5iD,qBAA8B,CAC9B,AAED,oCACC,kkDAAokD,CACpkD,AAED,qCACC,kkDAAokD,CACpkD","file":"tree.css","sourcesContent":["/*---------------------------------------------------------------------------------------------\n * Copyright (c) Microsoft Corporation. All rights reserved.\n * Licensed under the MIT License. See License.txt in the project root for license information.\n *--------------------------------------------------------------------------------------------*/\n\n.monaco-tl-row {\n\tdisplay: -ms-flexbox;\n\tdisplay: flex;\n\theight: 100%;\n\t-ms-flex-align: center;\n\t align-items: center;\n}\n\n.monaco-tl-twistie,\n.monaco-tl-contents {\n\theight: 100%;\n}\n\n.monaco-tl-twistie {\n\tfont-size: 10px;\n\ttext-align: right;\n\tmargin-right: 6px;\n\t-ms-flex-negative: 0;\n\t flex-shrink: 0;\n\twidth: 16px;\n}\n\n.monaco-tl-contents {\n\t-ms-flex: 1 1;\n\t flex: 1 1;\n\toverflow: hidden;\n}\n\n.monaco-tl-twistie.collapsible {\n\tbackground-size: 16px;\n\tbackground-position: 3px 50%;\n\tbackground-repeat: no-repeat;\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iIzY0NjQ2NSIgZD0iTTExIDEwSDUuMzQ0TDExIDQuNDE0VjEweiIvPjwvc3ZnPg==\");\n}\n\n.monaco-tl-twistie.collapsible.collapsed:not(.loading) {\n\tdisplay: inline-block;\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iIzY0NjQ2NSIgZD0iTTYgNHY4bDQtNC00LTR6bTEgMi40MTRMOC41ODYgOCA3IDkuNTg2VjYuNDE0eiIvPjwvc3ZnPg==\");\n}\n\n.vs-dark .monaco-tl-twistie.collapsible:not(.loading) {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iI0U4RThFOCIgZD0iTTExIDEwSDUuMzQ0TDExIDQuNDE0VjEweiIvPjwvc3ZnPg==\");\n}\n\n.vs-dark .monaco-tl-twistie.collapsible.collapsed:not(.loading) {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNiAxNiI+PHBhdGggZmlsbD0iI0U4RThFOCIgZD0iTTYgNHY4bDQtNC00LTR6bTEgMi40MTRMOC41ODYgOCA3IDkuNTg2VjYuNDE0eiIvPjwvc3ZnPg==\");\n}\n\n.hc-black .monaco-tl-twistie.collapsible:not(.loading) {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiI+PHBhdGggZmlsbD0iI2ZmZiIgZD0iTTExIDEwLjA3aC01LjY1Nmw1LjY1Ni01LjY1NnY1LjY1NnoiLz48L3N2Zz4=\");\n}\n\n.hc-black .monaco-tl-twistie.collapsible.collapsed:not(.loading) {\n\tbackground-image: url(\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxNiIgaGVpZ2h0PSIxNiI+PHBhdGggZmlsbD0iI2ZmZiIgZD0iTTYgNHY4bDQtNC00LTR6bTEgMi40MTRsMS41ODYgMS41ODYtMS41ODYgMS41ODZ2LTMuMTcyeiIvPjwvc3ZnPg==\");\n}\n\n.monaco-tl-twistie.loading {\n\tbackground-image: url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0nMS4wJyBzdGFuZGFsb25lPSdubycgPz4KPHN2ZyB4bWxucz0naHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmcnIHZlcnNpb249JzEuMScgd2lkdGg9JzEwcHgnIGhlaWdodD0nMTBweCc+Cgk8c3R5bGU+CiAgICBjaXJjbGUgewogICAgICBhbmltYXRpb246IGJhbGwgMC42cyBsaW5lYXIgaW5maW5pdGU7CiAgICB9CgogICAgY2lyY2xlOm50aC1jaGlsZCgyKSB7IGFuaW1hdGlvbi1kZWxheTogMC4wNzVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDMpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjE1czsgfQogICAgY2lyY2xlOm50aC1jaGlsZCg0KSB7IGFuaW1hdGlvbi1kZWxheTogMC4yMjVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDUpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjNzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDYpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjM3NXM7IH0KICAgIGNpcmNsZTpudGgtY2hpbGQoNykgeyBhbmltYXRpb24tZGVsYXk6IDAuNDVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDgpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjUyNXM7IH0KCiAgICBAa2V5ZnJhbWVzIGJhbGwgewogICAgICBmcm9tIHsgb3BhY2l0eTogMTsgfQogICAgICB0byB7IG9wYWNpdHk6IDAuMzsgfQogICAgfQoJPC9zdHlsZT4KCTxnPgoJCTxjaXJjbGUgY3g9JzUnIGN5PScxJyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzcuODI4NCcgY3k9JzIuMTcxNicgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc5JyBjeT0nNScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc3LjgyODQnIGN5PSc3LjgyODQnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nNScgY3k9JzknIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nMi4xNzE2JyBjeT0nNy44Mjg0JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzEnIGN5PSc1JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzIuMTcxNicgY3k9JzIuMTcxNicgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCTwvZz4KPC9zdmc+Cg==\");\n\tbackground-position: 0 center;\n}\n\n.vs-dark .monaco-tl-twistie.loading {\n\tbackground-image: url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0nMS4wJyBzdGFuZGFsb25lPSdubycgPz4KPHN2ZyB4bWxucz0naHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmcnIHZlcnNpb249JzEuMScgd2lkdGg9JzEwcHgnIGhlaWdodD0nMTBweCc+Cgk8c3R5bGU+CiAgICBjaXJjbGUgewogICAgICBhbmltYXRpb246IGJhbGwgMC42cyBsaW5lYXIgaW5maW5pdGU7CiAgICB9CgogICAgY2lyY2xlOm50aC1jaGlsZCgyKSB7IGFuaW1hdGlvbi1kZWxheTogMC4wNzVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDMpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjE1czsgfQogICAgY2lyY2xlOm50aC1jaGlsZCg0KSB7IGFuaW1hdGlvbi1kZWxheTogMC4yMjVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDUpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjNzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDYpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjM3NXM7IH0KICAgIGNpcmNsZTpudGgtY2hpbGQoNykgeyBhbmltYXRpb24tZGVsYXk6IDAuNDVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDgpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjUyNXM7IH0KCiAgICBAa2V5ZnJhbWVzIGJhbGwgewogICAgICBmcm9tIHsgb3BhY2l0eTogMTsgfQogICAgICB0byB7IG9wYWNpdHk6IDAuMzsgfQogICAgfQoJPC9zdHlsZT4KCTxnIHN0eWxlPSJmaWxsOmdyZXk7Ij4KCQk8Y2lyY2xlIGN4PSc1JyBjeT0nMScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc3LjgyODQnIGN5PScyLjE3MTYnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nOScgY3k9JzUnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nNy44Mjg0JyBjeT0nNy44Mjg0JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzUnIGN5PSc5JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzIuMTcxNicgY3k9JzcuODI4NCcgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PScxJyBjeT0nNScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PScyLjE3MTYnIGN5PScyLjE3MTYnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+Cgk8L2c+Cjwvc3ZnPgo=\");\n}\n\n.hc-black .monaco-tl-twistie.loading {\n\tbackground-image: url(\"data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0nMS4wJyBzdGFuZGFsb25lPSdubycgPz4KPHN2ZyB4bWxucz0naHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmcnIHZlcnNpb249JzEuMScgd2lkdGg9JzEwcHgnIGhlaWdodD0nMTBweCc+Cgk8c3R5bGU+CiAgICBjaXJjbGUgewogICAgICBhbmltYXRpb246IGJhbGwgMC42cyBsaW5lYXIgaW5maW5pdGU7CiAgICB9CgogICAgY2lyY2xlOm50aC1jaGlsZCgyKSB7IGFuaW1hdGlvbi1kZWxheTogMC4wNzVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDMpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjE1czsgfQogICAgY2lyY2xlOm50aC1jaGlsZCg0KSB7IGFuaW1hdGlvbi1kZWxheTogMC4yMjVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDUpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjNzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDYpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjM3NXM7IH0KICAgIGNpcmNsZTpudGgtY2hpbGQoNykgeyBhbmltYXRpb24tZGVsYXk6IDAuNDVzOyB9CiAgICBjaXJjbGU6bnRoLWNoaWxkKDgpIHsgYW5pbWF0aW9uLWRlbGF5OiAwLjUyNXM7IH0KCiAgICBAa2V5ZnJhbWVzIGJhbGwgewogICAgICBmcm9tIHsgb3BhY2l0eTogMTsgfQogICAgICB0byB7IG9wYWNpdHk6IDAuMzsgfQogICAgfQoJPC9zdHlsZT4KCTxnIHN0eWxlPSJmaWxsOndoaXRlOyI+CgkJPGNpcmNsZSBjeD0nNScgY3k9JzEnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nNy44Mjg0JyBjeT0nMi4xNzE2JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzknIGN5PSc1JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJCTxjaXJjbGUgY3g9JzcuODI4NCcgY3k9JzcuODI4NCcgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PSc1JyBjeT0nOScgcj0nMScgc3R5bGU9J29wYWNpdHk6MC4zOycgLz4KCQk8Y2lyY2xlIGN4PScyLjE3MTYnIGN5PSc3LjgyODQnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nMScgY3k9JzUnIHI9JzEnIHN0eWxlPSdvcGFjaXR5OjAuMzsnIC8+CgkJPGNpcmNsZSBjeD0nMi4xNzE2JyBjeT0nMi4xNzE2JyByPScxJyBzdHlsZT0nb3BhY2l0eTowLjM7JyAvPgoJPC9nPgo8L3N2Zz4K\");\n}"],"sourceRoot":""}]); // exports /***/ }), /***/ 2076: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ObjectTree; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__abstractTree_js__ = __webpack_require__(1724); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__objectTreeModel_js__ = __webpack_require__(2077); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var ObjectTree = /** @class */ (function (_super) { __extends(ObjectTree, _super); function ObjectTree(container, delegate, renderers, options) { if (options === void 0) { options = {}; } return _super.call(this, container, delegate, renderers, options) || this; } ObjectTree.prototype.setChildren = function (element, children, onDidCreateNode, onDidDeleteNode) { return this.model.setChildren(element, children, onDidCreateNode, onDidDeleteNode); }; ObjectTree.prototype.rerender = function (element) { if (element === undefined) { this.view.rerender(); return; } this.model.rerender(element); }; ObjectTree.prototype.createModel = function (view, options) { return new __WEBPACK_IMPORTED_MODULE_1__objectTreeModel_js__["a" /* ObjectTreeModel */](view, options); }; return ObjectTree; }(__WEBPACK_IMPORTED_MODULE_0__abstractTree_js__["a" /* AbstractTree */])); /***/ }), /***/ 2077: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ObjectTreeModel; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_iterator_js__ = __webpack_require__(1392); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__indexTreeModel_js__ = __webpack_require__(1725); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); }; var ObjectTreeModel = /** @class */ (function () { function ObjectTreeModel(list, options) { if (options === void 0) { options = {}; } this.nodes = new Map(); this.model = new __WEBPACK_IMPORTED_MODULE_1__indexTreeModel_js__["a" /* IndexTreeModel */](list, null, options); this.onDidSplice = this.model.onDidSplice; this.onDidChangeCollapseState = this.model.onDidChangeCollapseState; this.onDidChangeRenderNodeCount = this.model.onDidChangeRenderNodeCount; if (options.sorter) { this.sorter = { compare: function (a, b) { return options.sorter.compare(a.element, b.element); } }; } } ObjectTreeModel.prototype.setChildren = function (element, children, onDidCreateNode, onDidDeleteNode) { var location = this.getElementLocation(element); return this._setChildren(location, this.preserveCollapseState(children), onDidCreateNode, onDidDeleteNode); }; ObjectTreeModel.prototype._setChildren = function (location, children, onDidCreateNode, onDidDeleteNode) { var _this = this; var insertedElements = new Set(); var _onDidCreateNode = function (node) { insertedElements.add(node.element); _this.nodes.set(node.element, node); if (onDidCreateNode) { onDidCreateNode(node); } }; var _onDidDeleteNode = function (node) { if (!insertedElements.has(node.element)) { _this.nodes.delete(node.element); } if (onDidDeleteNode) { onDidDeleteNode(node); } }; return this.model.splice(location.concat([0]), Number.MAX_VALUE, children, _onDidCreateNode, _onDidDeleteNode); }; ObjectTreeModel.prototype.preserveCollapseState = function (elements) { var _this = this; var iterator = elements ? Object(__WEBPACK_IMPORTED_MODULE_0__common_iterator_js__["c" /* getSequenceIterator */])(elements) : __WEBPACK_IMPORTED_MODULE_0__common_iterator_js__["b" /* Iterator */].empty(); if (this.sorter) { iterator = __WEBPACK_IMPORTED_MODULE_0__common_iterator_js__["b" /* Iterator */].fromArray(__WEBPACK_IMPORTED_MODULE_0__common_iterator_js__["b" /* Iterator */].collect(iterator).sort(this.sorter.compare.bind(this.sorter))); } return __WEBPACK_IMPORTED_MODULE_0__common_iterator_js__["b" /* Iterator */].map(iterator, function (treeElement) { var node = _this.nodes.get(treeElement.element); if (!node) { return __assign({}, treeElement, { children: _this.preserveCollapseState(treeElement.children) }); } var collapsible = typeof treeElement.collapsible === 'boolean' ? treeElement.collapsible : node.collapsible; var collapsed = typeof treeElement.collapsed !== 'undefined' ? treeElement.collapsed : node.collapsed; return __assign({}, treeElement, { collapsible: collapsible, collapsed: collapsed, children: _this.preserveCollapseState(treeElement.children) }); }); }; ObjectTreeModel.prototype.rerender = function (element) { var location = this.getElementLocation(element); this.model.rerender(location); }; ObjectTreeModel.prototype.getListIndex = function (element) { var location = this.getElementLocation(element); return this.model.getListIndex(location); }; ObjectTreeModel.prototype.getListRenderCount = function (element) { var location = this.getElementLocation(element); return this.model.getListRenderCount(location); }; ObjectTreeModel.prototype.isCollapsed = function (element) { var location = this.getElementLocation(element); return this.model.isCollapsed(location); }; ObjectTreeModel.prototype.setCollapsed = function (element, collapsed, recursive) { var location = this.getElementLocation(element); return this.model.setCollapsed(location, collapsed, recursive); }; ObjectTreeModel.prototype.expandTo = function (element) { var location = this.getElementLocation(element); this.model.expandTo(location); }; ObjectTreeModel.prototype.refilter = function () { this.model.refilter(); }; ObjectTreeModel.prototype.getNode = function (element) { if (element === void 0) { element = null; } var location = this.getElementLocation(element); return this.model.getNode(location); }; ObjectTreeModel.prototype.getNodeLocation = function (node) { return node.element; }; ObjectTreeModel.prototype.getParentNodeLocation = function (element) { var node = this.nodes.get(element); if (!node) { throw new Error("Tree element not found: " + element); } return node.parent.element; }; ObjectTreeModel.prototype.getElementLocation = function (element) { if (element === null) { return []; } var node = this.nodes.get(element); if (!node) { throw new Error("Tree element not found: " + element); } return this.model.getNodeLocation(node); }; return ObjectTreeModel; }()); /***/ }), /***/ 2078: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MarkerService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_arrays_js__ = __webpack_require__(1202); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__ = __webpack_require__(1358); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__base_common_types_js__ = __webpack_require__(1057); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__markers_js__ = __webpack_require__(1585); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var MapMap; (function (MapMap) { function get(map, key1, key2) { if (map[key1]) { return map[key1][key2]; } return undefined; } MapMap.get = get; function set(map, key1, key2, value) { if (!map[key1]) { map[key1] = Object.create(null); } map[key1][key2] = value; } MapMap.set = set; function remove(map, key1, key2) { if (map[key1] && map[key1][key2]) { delete map[key1][key2]; if (Object(__WEBPACK_IMPORTED_MODULE_2__base_common_types_js__["e" /* isEmptyObject */])(map[key1])) { delete map[key1]; } return true; } return false; } MapMap.remove = remove; })(MapMap || (MapMap = {})); var MarkerStats = /** @class */ (function () { function MarkerStats(service) { this.errors = 0; this.infos = 0; this.warnings = 0; this.unknowns = 0; this._data = Object.create(null); this._service = service; this._subscription = service.onMarkerChanged(this._update, this); } MarkerStats.prototype.dispose = function () { this._subscription.dispose(); this._data = undefined; }; MarkerStats.prototype._update = function (resources) { if (!this._data) { return; } for (var _i = 0, resources_1 = resources; _i < resources_1.length; _i++) { var resource = resources_1[_i]; var key = resource.toString(); var oldStats = this._data[key]; if (oldStats) { this._substract(oldStats); } var newStats = this._resourceStats(resource); this._add(newStats); this._data[key] = newStats; } }; MarkerStats.prototype._resourceStats = function (resource) { var result = { errors: 0, warnings: 0, infos: 0, unknowns: 0 }; // TODO this is a hack if (resource.scheme === __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__["a" /* Schemas */].inMemory || resource.scheme === __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__["a" /* Schemas */].walkThrough || resource.scheme === __WEBPACK_IMPORTED_MODULE_1__base_common_network_js__["a" /* Schemas */].walkThroughSnippet) { return result; } for (var _i = 0, _a = this._service.read({ resource: resource }); _i < _a.length; _i++) { var severity = _a[_i].severity; if (severity === __WEBPACK_IMPORTED_MODULE_4__markers_js__["b" /* MarkerSeverity */].Error) { result.errors += 1; } else if (severity === __WEBPACK_IMPORTED_MODULE_4__markers_js__["b" /* MarkerSeverity */].Warning) { result.warnings += 1; } else if (severity === __WEBPACK_IMPORTED_MODULE_4__markers_js__["b" /* MarkerSeverity */].Info) { result.infos += 1; } else { result.unknowns += 1; } } return result; }; MarkerStats.prototype._substract = function (op) { this.errors -= op.errors; this.warnings -= op.warnings; this.infos -= op.infos; this.unknowns -= op.unknowns; }; MarkerStats.prototype._add = function (op) { this.errors += op.errors; this.warnings += op.warnings; this.infos += op.infos; this.unknowns += op.unknowns; }; return MarkerStats; }()); var MarkerService = /** @class */ (function () { function MarkerService() { this._onMarkerChanged = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); this._onMarkerChangedEvent = __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["b" /* Event */].debounce(this._onMarkerChanged.event, MarkerService._debouncer, 0); this._byResource = Object.create(null); this._byOwner = Object.create(null); this._stats = new MarkerStats(this); } MarkerService.prototype.dispose = function () { this._stats.dispose(); }; Object.defineProperty(MarkerService.prototype, "onMarkerChanged", { get: function () { return this._onMarkerChangedEvent; }, enumerable: true, configurable: true }); MarkerService.prototype.remove = function (owner, resources) { for (var _i = 0, _a = resources || []; _i < _a.length; _i++) { var resource = _a[_i]; this.changeOne(owner, resource, []); } }; MarkerService.prototype.changeOne = function (owner, resource, markerData) { if (Object(__WEBPACK_IMPORTED_MODULE_0__base_common_arrays_js__["g" /* isFalsyOrEmpty */])(markerData)) { // remove marker for this (owner,resource)-tuple var a = MapMap.remove(this._byResource, resource.toString(), owner); var b = MapMap.remove(this._byOwner, owner, resource.toString()); if (a !== b) { throw new Error('invalid marker service state'); } if (a && b) { this._onMarkerChanged.fire([resource]); } } else { // insert marker for this (owner,resource)-tuple var markers = []; for (var _i = 0, markerData_1 = markerData; _i < markerData_1.length; _i++) { var data = markerData_1[_i]; var marker = MarkerService._toMarker(owner, resource, data); if (marker) { markers.push(marker); } } MapMap.set(this._byResource, resource.toString(), owner, markers); MapMap.set(this._byOwner, owner, resource.toString(), markers); this._onMarkerChanged.fire([resource]); } }; MarkerService._toMarker = function (owner, resource, data) { var code = data.code, severity = data.severity, message = data.message, source = data.source, startLineNumber = data.startLineNumber, startColumn = data.startColumn, endLineNumber = data.endLineNumber, endColumn = data.endColumn, relatedInformation = data.relatedInformation, tags = data.tags; if (!message) { return undefined; } // santize data startLineNumber = startLineNumber > 0 ? startLineNumber : 1; startColumn = startColumn > 0 ? startColumn : 1; endLineNumber = endLineNumber >= startLineNumber ? endLineNumber : startLineNumber; endColumn = endColumn > 0 ? endColumn : startColumn; return { resource: resource, owner: owner, code: code || undefined, severity: severity, message: message, source: source, startLineNumber: startLineNumber, startColumn: startColumn, endLineNumber: endLineNumber, endColumn: endColumn, relatedInformation: relatedInformation, tags: tags, }; }; MarkerService.prototype.read = function (filter) { if (filter === void 0) { filter = Object.create(null); } var owner = filter.owner, resource = filter.resource, severities = filter.severities, take = filter.take; if (!take || take < 0) { take = -1; } if (owner && resource) { // exactly one owner AND resource var data = MapMap.get(this._byResource, resource.toString(), owner); if (!data) { return []; } else { var result = []; for (var _i = 0, data_1 = data; _i < data_1.length; _i++) { var marker = data_1[_i]; if (MarkerService._accept(marker, severities)) { var newLen = result.push(marker); if (take > 0 && newLen === take) { break; } } } return result; } } else if (!owner && !resource) { // all var result = []; for (var key1 in this._byResource) { for (var key2 in this._byResource[key1]) { for (var _a = 0, _b = this._byResource[key1][key2]; _a < _b.length; _a++) { var data = _b[_a]; if (MarkerService._accept(data, severities)) { var newLen = result.push(data); if (take > 0 && newLen === take) { return result; } } } } } return result; } else { // of one resource OR owner var map = owner ? this._byOwner[owner] : resource ? this._byResource[resource.toString()] : undefined; if (!map) { return []; } var result = []; for (var key in map) { for (var _c = 0, _d = map[key]; _c < _d.length; _c++) { var data = _d[_c]; if (MarkerService._accept(data, severities)) { var newLen = result.push(data); if (take > 0 && newLen === take) { return result; } } } } return result; } }; MarkerService._accept = function (marker, severities) { return severities === undefined || (severities & marker.severity) === marker.severity; }; MarkerService._debouncer = function (last, event) { if (!last) { MarkerService._dedupeMap = Object.create(null); last = []; } for (var _i = 0, event_1 = event; _i < event_1.length; _i++) { var uri = event_1[_i]; if (MarkerService._dedupeMap[uri.toString()] === undefined) { MarkerService._dedupeMap[uri.toString()] = true; last.push(uri); } } return last; }; return MarkerService; }()); /***/ }), /***/ 2079: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IProgressService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IProgressService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('progressService'); /***/ }), /***/ 2080: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MenuService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__actions_js__ = __webpack_require__(1447); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__ = __webpack_require__(1271); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__contextkey_common_contextkey_js__ = __webpack_require__(1091); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var MenuService = /** @class */ (function () { function MenuService(_commandService) { this._commandService = _commandService; // } MenuService.prototype.createMenu = function (id, contextKeyService) { return new Menu(id, this._commandService, contextKeyService); }; MenuService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__["b" /* ICommandService */]) ], MenuService); return MenuService; }()); var Menu = /** @class */ (function () { function Menu(_id, _commandService, _contextKeyService) { var _this = this; this._id = _id; this._commandService = _commandService; this._contextKeyService = _contextKeyService; this._onDidChange = new __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["a" /* Emitter */](); this._disposables = []; this._build(); // rebuild this menu whenever the menu registry reports an // event for this MenuId __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["b" /* Event */].debounce(__WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["b" /* Event */].filter(__WEBPACK_IMPORTED_MODULE_2__actions_js__["c" /* MenuRegistry */].onDidChangeMenu, function (menuId) { return menuId === _this._id; }), function () { }, 50)(this._build, this, this._disposables); // when context keys change we need to check if the menu also // has changed __WEBPACK_IMPORTED_MODULE_0__base_common_event_js__["b" /* Event */].debounce(this._contextKeyService.onDidChangeContext, function (last, event) { return last || event.affectsSome(_this._contextKeys); }, 50)(function (e) { return e && _this._onDidChange.fire(undefined); }, this, this._disposables); } Menu.prototype._build = function () { // reset this._menuGroups = []; this._contextKeys = new Set(); var menuItems = __WEBPACK_IMPORTED_MODULE_2__actions_js__["c" /* MenuRegistry */].getMenuItems(this._id); var group; menuItems.sort(Menu._compareMenuItems); for (var _i = 0, menuItems_1 = menuItems; _i < menuItems_1.length; _i++) { var item = menuItems_1[_i]; // group by groupId var groupName = item.group || ''; if (!group || group[0] !== groupName) { group = [groupName, []]; this._menuGroups.push(group); } group[1].push(item); // keep keys for eventing Menu._fillInKbExprKeys(item.when, this._contextKeys); // keep precondition keys for event if applicable if (Object(__WEBPACK_IMPORTED_MODULE_2__actions_js__["e" /* isIMenuItem */])(item) && item.command.precondition) { Menu._fillInKbExprKeys(item.command.precondition, this._contextKeys); } // keep toggled keys for event if applicable if (Object(__WEBPACK_IMPORTED_MODULE_2__actions_js__["e" /* isIMenuItem */])(item) && item.command.toggled) { Menu._fillInKbExprKeys(item.command.toggled, this._contextKeys); } } this._onDidChange.fire(this); }; Menu.prototype.dispose = function () { Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["d" /* dispose */])(this._disposables); this._onDidChange.dispose(); }; Menu.prototype.getActions = function (options) { var result = []; for (var _i = 0, _a = this._menuGroups; _i < _a.length; _i++) { var group = _a[_i]; var id = group[0], items = group[1]; var activeActions = []; for (var _b = 0, items_1 = items; _b < items_1.length; _b++) { var item = items_1[_b]; if (this._contextKeyService.contextMatchesRules(item.when || null)) { var action = Object(__WEBPACK_IMPORTED_MODULE_2__actions_js__["e" /* isIMenuItem */])(item) ? new __WEBPACK_IMPORTED_MODULE_2__actions_js__["b" /* MenuItemAction */](item.command, item.alt, options, this._contextKeyService, this._commandService) : new __WEBPACK_IMPORTED_MODULE_2__actions_js__["d" /* SubmenuItemAction */](item); activeActions.push(action); } } if (activeActions.length > 0) { result.push([id, activeActions]); } } return result; }; Menu._fillInKbExprKeys = function (exp, set) { if (exp) { for (var _i = 0, _a = exp.keys(); _i < _a.length; _i++) { var key = _a[_i]; set.add(key); } } }; Menu._compareMenuItems = function (a, b) { var aGroup = a.group; var bGroup = b.group; if (aGroup !== bGroup) { // Falsy groups come last if (!aGroup) { return 1; } else if (!bGroup) { return -1; } // 'navigation' group comes first if (aGroup === 'navigation') { return -1; } else if (bGroup === 'navigation') { return 1; } // lexical sort for groups var value = aGroup.localeCompare(bGroup); if (value !== 0) { return value; } } // sort on priority - default is 0 var aPrio = a.order || 0; var bPrio = b.order || 0; if (aPrio < bPrio) { return -1; } else if (aPrio > bPrio) { return 1; } // sort on titles var aTitle = typeof a.command.title === 'string' ? a.command.title : a.command.title.value; var bTitle = typeof b.command.title === 'string' ? b.command.title : b.command.title.value; return aTitle.localeCompare(bTitle); }; Menu = __decorate([ __param(1, __WEBPACK_IMPORTED_MODULE_3__commands_common_commands_js__["b" /* ICommandService */]), __param(2, __WEBPACK_IMPORTED_MODULE_4__contextkey_common_contextkey_js__["c" /* IContextKeyService */]) ], Menu); return Menu; }()); /***/ }), /***/ 2081: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IMarkerDecorationsService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IMarkerDecorationsService = Object(__WEBPACK_IMPORTED_MODULE_0__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('markerDecorationsService'); /***/ }), /***/ 2082: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return MarkerDecorationsService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__ = __webpack_require__(1585); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__model_js__ = __webpack_require__(1325); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__ = __webpack_require__(937); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__view_editorColorRegistry_js__ = __webpack_require__(1272); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__modelService_js__ = __webpack_require__(1393); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__base_common_map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__base_common_network_js__ = __webpack_require__(1358); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; function MODEL_ID(resource) { return resource.toString(); } var MarkerDecorations = /** @class */ (function (_super) { __extends(MarkerDecorations, _super); function MarkerDecorations(model) { var _this = _super.call(this) || this; _this.model = model; _this._markersData = new Map(); _this._register(Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { _this.model.deltaDecorations(Object(__WEBPACK_IMPORTED_MODULE_7__base_common_map_js__["d" /* keys */])(_this._markersData), []); _this._markersData.clear(); })); return _this; } MarkerDecorations.prototype.update = function (markers, newDecorations) { var ids = this.model.deltaDecorations(Object(__WEBPACK_IMPORTED_MODULE_7__base_common_map_js__["d" /* keys */])(this._markersData), newDecorations); for (var index = 0; index < ids.length; index++) { this._markersData.set(ids[index], markers[index]); } }; MarkerDecorations.prototype.getMarker = function (decoration) { return this._markersData.get(decoration.id); }; return MarkerDecorations; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); var MarkerDecorationsService = /** @class */ (function (_super) { __extends(MarkerDecorationsService, _super); function MarkerDecorationsService(modelService, _markerService) { var _this = _super.call(this) || this; _this._markerService = _markerService; _this._markerDecorations = new Map(); modelService.getModels().forEach(function (model) { return _this._onModelAdded(model); }); _this._register(modelService.onModelAdded(_this._onModelAdded, _this)); _this._register(modelService.onModelRemoved(_this._onModelRemoved, _this)); _this._register(_this._markerService.onMarkerChanged(_this._handleMarkerChange, _this)); return _this; } MarkerDecorationsService.prototype.getMarker = function (model, decoration) { var markerDecorations = this._markerDecorations.get(MODEL_ID(model.uri)); return markerDecorations ? markerDecorations.getMarker(decoration) || null : null; }; MarkerDecorationsService.prototype._handleMarkerChange = function (changedResources) { var _this = this; changedResources.forEach(function (resource) { var markerDecorations = _this._markerDecorations.get(MODEL_ID(resource)); if (markerDecorations) { _this.updateDecorations(markerDecorations); } }); }; MarkerDecorationsService.prototype._onModelAdded = function (model) { var markerDecorations = new MarkerDecorations(model); this._markerDecorations.set(MODEL_ID(model.uri), markerDecorations); this.updateDecorations(markerDecorations); }; MarkerDecorationsService.prototype._onModelRemoved = function (model) { var _this = this; var markerDecorations = this._markerDecorations.get(MODEL_ID(model.uri)); if (markerDecorations) { markerDecorations.dispose(); this._markerDecorations.delete(MODEL_ID(model.uri)); } // clean up markers for internal, transient models if (model.uri.scheme === __WEBPACK_IMPORTED_MODULE_8__base_common_network_js__["a" /* Schemas */].inMemory || model.uri.scheme === __WEBPACK_IMPORTED_MODULE_8__base_common_network_js__["a" /* Schemas */].internal || model.uri.scheme === __WEBPACK_IMPORTED_MODULE_8__base_common_network_js__["a" /* Schemas */].vscode) { if (this._markerService) { this._markerService.read({ resource: model.uri }).map(function (marker) { return marker.owner; }).forEach(function (owner) { return _this._markerService.remove(owner, [model.uri]); }); } } }; MarkerDecorationsService.prototype.updateDecorations = function (markerDecorations) { var _this = this; // Limit to the first 500 errors/warnings var markers = this._markerService.read({ resource: markerDecorations.model.uri, take: 500 }); var newModelDecorations = markers.map(function (marker) { return { range: _this._createDecorationRange(markerDecorations.model, marker), options: _this._createDecorationOption(marker) }; }); markerDecorations.update(markers, newModelDecorations); }; MarkerDecorationsService.prototype._createDecorationRange = function (model, rawMarker) { var ret = __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */].lift(rawMarker); if (rawMarker.severity === __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__["b" /* MarkerSeverity */].Hint) { if (!rawMarker.tags || rawMarker.tags.indexOf(1 /* Unnecessary */) === -1) { // * never render hints on multiple lines // * make enough space for three dots ret = ret.setEndPosition(ret.startLineNumber, ret.startColumn + 2); } } ret = model.validateRange(ret); if (ret.isEmpty()) { var word = model.getWordAtPosition(ret.getStartPosition()); if (word) { ret = new __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */](ret.startLineNumber, word.startColumn, ret.endLineNumber, word.endColumn); } else { var maxColumn = model.getLineLastNonWhitespaceColumn(ret.startLineNumber) || model.getLineMaxColumn(ret.startLineNumber); if (maxColumn === 1) { // empty line // console.warn('marker on empty line:', marker); } else if (ret.endColumn >= maxColumn) { // behind eol ret = new __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */](ret.startLineNumber, maxColumn - 1, ret.endLineNumber, maxColumn); } else { // extend marker to width = 1 ret = new __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */](ret.startLineNumber, ret.startColumn, ret.endLineNumber, ret.endColumn + 1); } } } else if (rawMarker.endColumn === Number.MAX_VALUE && rawMarker.startColumn === 1 && ret.startLineNumber === ret.endLineNumber) { var minColumn = model.getLineFirstNonWhitespaceColumn(rawMarker.startLineNumber); if (minColumn < ret.endColumn) { ret = new __WEBPACK_IMPORTED_MODULE_6__core_range_js__["a" /* Range */](ret.startLineNumber, minColumn, ret.endLineNumber, ret.endColumn); rawMarker.startColumn = minColumn; } } return ret; }; MarkerDecorationsService.prototype._createDecorationOption = function (marker) { var className; var color = undefined; var zIndex; var inlineClassName = undefined; switch (marker.severity) { case __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__["b" /* MarkerSeverity */].Hint: if (marker.tags && marker.tags.indexOf(1 /* Unnecessary */) >= 0) { className = "squiggly-unnecessary" /* EditorUnnecessaryDecoration */; } else { className = "squiggly-hint" /* EditorHintDecoration */; } zIndex = 0; break; case __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__["b" /* MarkerSeverity */].Warning: className = "squiggly-warning" /* EditorWarningDecoration */; color = Object(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__["f" /* themeColorFromId */])(__WEBPACK_IMPORTED_MODULE_4__view_editorColorRegistry_js__["w" /* overviewRulerWarning */]); zIndex = 20; break; case __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__["b" /* MarkerSeverity */].Info: className = "squiggly-info" /* EditorInfoDecoration */; color = Object(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__["f" /* themeColorFromId */])(__WEBPACK_IMPORTED_MODULE_4__view_editorColorRegistry_js__["v" /* overviewRulerInfo */]); zIndex = 10; break; case __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__["b" /* MarkerSeverity */].Error: default: className = "squiggly-error" /* EditorErrorDecoration */; color = Object(__WEBPACK_IMPORTED_MODULE_3__platform_theme_common_themeService_js__["f" /* themeColorFromId */])(__WEBPACK_IMPORTED_MODULE_4__view_editorColorRegistry_js__["u" /* overviewRulerError */]); zIndex = 30; break; } if (marker.tags) { if (marker.tags.indexOf(1 /* Unnecessary */) !== -1) { inlineClassName = "squiggly-inline-unnecessary" /* EditorUnnecessaryInlineDecoration */; } } return { stickiness: 1 /* NeverGrowsWhenTypingAtEdges */, className: className, showIfCollapsed: true, overviewRuler: { color: color, position: __WEBPACK_IMPORTED_MODULE_2__model_js__["c" /* OverviewRulerLane */].Right }, zIndex: zIndex, inlineClassName: inlineClassName, }; }; MarkerDecorationsService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_5__modelService_js__["a" /* IModelService */]), __param(1, __WEBPACK_IMPORTED_MODULE_0__platform_markers_common_markers_js__["a" /* IMarkerService */]) ], MarkerDecorationsService); return MarkerDecorationsService; }(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["a" /* Disposable */])); /***/ }), /***/ 2083: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export Memory */ /* unused harmony export NoMemory */ /* unused harmony export LRUMemory */ /* unused harmony export PrefixMemory */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return SuggestMemoryService; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return ISuggestMemoryService; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__ = __webpack_require__(1304); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__platform_storage_common_storage_js__ = __webpack_require__(1726); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__base_common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__platform_instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__platform_configuration_common_configuration_js__ = __webpack_require__(1290); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__platform_instantiation_common_extensions_js__ = __webpack_require__(2084); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var Memory = /** @class */ (function () { function Memory() { } Memory.prototype.select = function (model, pos, items) { if (items.length === 0) { return 0; } var topScore = items[0].score; for (var i = 1; i < items.length; i++) { var _a = items[i], score = _a.score, suggestion = _a.completion; if (score !== topScore) { // stop when leaving the group of top matches break; } if (suggestion.preselect) { // stop when seeing an auto-select-item return i; } } return 0; }; return Memory; }()); var NoMemory = /** @class */ (function (_super) { __extends(NoMemory, _super); function NoMemory() { return _super !== null && _super.apply(this, arguments) || this; } NoMemory.prototype.memorize = function (model, pos, item) { // no-op }; NoMemory.prototype.toJSON = function () { return undefined; }; NoMemory.prototype.fromJSON = function () { // }; return NoMemory; }(Memory)); var LRUMemory = /** @class */ (function (_super) { __extends(LRUMemory, _super); function LRUMemory() { var _this = _super !== null && _super.apply(this, arguments) || this; _this._cache = new __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__["a" /* LRUCache */](300, 0.66); _this._seq = 0; return _this; } LRUMemory.prototype.memorize = function (model, pos, item) { var label = item.completion.label; var key = model.getLanguageIdentifier().language + "/" + label; this._cache.set(key, { touch: this._seq++, type: item.completion.kind, insertText: item.completion.insertText }); }; LRUMemory.prototype.select = function (model, pos, items) { // in order of completions, select the first // that has been used in the past var word = model.getWordUntilPosition(pos).word; if (word.length !== 0) { return _super.prototype.select.call(this, model, pos, items); } var lineSuffix = model.getLineContent(pos.lineNumber).substr(pos.column - 10, pos.column - 1); if (/\s$/.test(lineSuffix)) { return _super.prototype.select.call(this, model, pos, items); } var res = -1; var seq = -1; for (var i = 0; i < items.length; i++) { var suggestion = items[i].completion; var key = model.getLanguageIdentifier().language + "/" + suggestion.label; var item = this._cache.get(key); if (item && item.touch > seq && item.type === suggestion.kind && item.insertText === suggestion.insertText) { seq = item.touch; res = i; } } if (res === -1) { return _super.prototype.select.call(this, model, pos, items); } else { return res; } }; LRUMemory.prototype.toJSON = function () { var data = []; this._cache.forEach(function (value, key) { data.push([key, value]); }); return data; }; LRUMemory.prototype.fromJSON = function (data) { this._cache.clear(); var seq = 0; for (var _i = 0, data_1 = data; _i < data_1.length; _i++) { var _a = data_1[_i], key = _a[0], value = _a[1]; value.touch = seq; value.type = typeof value.type === 'number' ? value.type : Object(__WEBPACK_IMPORTED_MODULE_2__common_modes_js__["x" /* completionKindFromLegacyString */])(value.type); this._cache.set(key, value); } this._seq = this._cache.size; }; return LRUMemory; }(Memory)); var PrefixMemory = /** @class */ (function (_super) { __extends(PrefixMemory, _super); function PrefixMemory() { var _this = _super !== null && _super.apply(this, arguments) || this; _this._trie = __WEBPACK_IMPORTED_MODULE_0__base_common_map_js__["c" /* TernarySearchTree */].forStrings(); _this._seq = 0; return _this; } PrefixMemory.prototype.memorize = function (model, pos, item) { var word = model.getWordUntilPosition(pos).word; var key = model.getLanguageIdentifier().language + "/" + word; this._trie.set(key, { type: item.completion.kind, insertText: item.completion.insertText, touch: this._seq++ }); }; PrefixMemory.prototype.select = function (model, pos, items) { var word = model.getWordUntilPosition(pos).word; if (!word) { return _super.prototype.select.call(this, model, pos, items); } var key = model.getLanguageIdentifier().language + "/" + word; var item = this._trie.get(key); if (!item) { item = this._trie.findSubstr(key); } if (item) { for (var i = 0; i < items.length; i++) { var _a = items[i].completion, kind = _a.kind, insertText = _a.insertText; if (kind === item.type && insertText === item.insertText) { return i; } } } return _super.prototype.select.call(this, model, pos, items); }; PrefixMemory.prototype.toJSON = function () { var entries = []; this._trie.forEach(function (value, key) { return entries.push([key, value]); }); // sort by last recently used (touch), then // take the top 200 item and normalize their // touch entries .sort(function (a, b) { return -(a[1].touch - b[1].touch); }) .forEach(function (value, i) { return value[1].touch = i; }); return entries.slice(0, 200); }; PrefixMemory.prototype.fromJSON = function (data) { this._trie.clear(); if (data.length > 0) { this._seq = data[0][1].touch + 1; for (var _i = 0, data_2 = data; _i < data_2.length; _i++) { var _a = data_2[_i], key = _a[0], value = _a[1]; value.type = typeof value.type === 'number' ? value.type : Object(__WEBPACK_IMPORTED_MODULE_2__common_modes_js__["x" /* completionKindFromLegacyString */])(value.type); this._trie.set(key, value); } } }; return PrefixMemory; }(Memory)); var SuggestMemoryService = /** @class */ (function (_super) { __extends(SuggestMemoryService, _super); function SuggestMemoryService(_storageService, _configService) { var _this = _super.call(this) || this; _this._storageService = _storageService; _this._configService = _configService; _this._storagePrefix = 'suggest/memories'; var update = function () { var mode = _this._configService.getValue('editor.suggestSelection'); var share = _this._configService.getValue('editor.suggest.shareSuggestSelections'); _this._update(mode, share, false); }; _this._persistSoon = _this._register(new __WEBPACK_IMPORTED_MODULE_4__base_common_async_js__["c" /* RunOnceScheduler */](function () { return _this._saveState(); }, 500)); _this._register(_storageService.onWillSaveState(function () { return _this._saveState(); })); _this._register(_this._configService.onDidChangeConfiguration(function (e) { if (e.affectsConfiguration('editor.suggestSelection') || e.affectsConfiguration('editor.suggest.shareSuggestSelections')) { update(); } })); _this._register(_this._storageService.onDidChangeStorage(function (e) { if (e.scope === 0 /* GLOBAL */ && e.key.indexOf(_this._storagePrefix) === 0) { if (!document.hasFocus()) { // windows that aren't focused have to drop their current // storage value and accept what's stored now _this._update(_this._mode, _this._shareMem, true); } } })); update(); return _this; } SuggestMemoryService.prototype._update = function (mode, shareMem, force) { if (!force && this._mode === mode && this._shareMem === shareMem) { return; } this._shareMem = shareMem; this._mode = mode; this._strategy = mode === 'recentlyUsedByPrefix' ? new PrefixMemory() : mode === 'recentlyUsed' ? new LRUMemory() : new NoMemory(); try { var scope = shareMem ? 0 /* GLOBAL */ : 1 /* WORKSPACE */; var raw = this._storageService.get(this._storagePrefix + "/" + this._mode, scope); if (raw) { this._strategy.fromJSON(JSON.parse(raw)); } } catch (e) { // things can go wrong with JSON... } }; SuggestMemoryService.prototype.memorize = function (model, pos, item) { this._strategy.memorize(model, pos, item); this._persistSoon.schedule(); }; SuggestMemoryService.prototype.select = function (model, pos, items) { return this._strategy.select(model, pos, items); }; SuggestMemoryService.prototype._saveState = function () { var raw = JSON.stringify(this._strategy); var scope = this._shareMem ? 0 /* GLOBAL */ : 1 /* WORKSPACE */; this._storageService.store(this._storagePrefix + "/" + this._mode, raw, scope); }; SuggestMemoryService = __decorate([ __param(0, __WEBPACK_IMPORTED_MODULE_1__platform_storage_common_storage_js__["a" /* IStorageService */]), __param(1, __WEBPACK_IMPORTED_MODULE_6__platform_configuration_common_configuration_js__["a" /* IConfigurationService */]) ], SuggestMemoryService); return SuggestMemoryService; }(__WEBPACK_IMPORTED_MODULE_3__base_common_lifecycle_js__["a" /* Disposable */])); var ISuggestMemoryService = Object(__WEBPACK_IMPORTED_MODULE_5__platform_instantiation_common_instantiation_js__["c" /* createDecorator */])('ISuggestMemories'); Object(__WEBPACK_IMPORTED_MODULE_7__platform_instantiation_common_extensions_js__["a" /* registerSingleton */])(ISuggestMemoryService, SuggestMemoryService, true); /***/ }), /***/ 2084: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = registerSingleton; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__descriptors_js__ = __webpack_require__(1719); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var _registry = []; function registerSingleton(id, ctor, supportsDelayedInstantiation) { _registry.push({ id: id, descriptor: new __WEBPACK_IMPORTED_MODULE_0__descriptors_js__["a" /* SyncDescriptor */](ctor, [], supportsDelayedInstantiation) }); } /***/ }), /***/ 2085: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IOpenerService; }); /* unused harmony export NullOpenerService */ /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IOpenerService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('openerService'); var NullOpenerService = Object.freeze({ _serviceBrand: undefined, open: function () { return Promise.resolve(false); } }); /***/ }), /***/ 2086: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export register */ /* unused harmony export getLanguages */ /* unused harmony export getEncodedLanguageId */ /* unused harmony export onLanguage */ /* unused harmony export setLanguageConfiguration */ /* unused harmony export EncodedTokenizationSupport2Adapter */ /* unused harmony export TokenizationSupport2Adapter */ /* unused harmony export setTokensProvider */ /* unused harmony export setMonarchTokensProvider */ /* unused harmony export registerReferenceProvider */ /* unused harmony export registerRenameProvider */ /* unused harmony export registerSignatureHelpProvider */ /* unused harmony export registerHoverProvider */ /* unused harmony export registerDocumentSymbolProvider */ /* unused harmony export registerDocumentHighlightProvider */ /* unused harmony export registerDefinitionProvider */ /* unused harmony export registerImplementationProvider */ /* unused harmony export registerTypeDefinitionProvider */ /* unused harmony export registerCodeLensProvider */ /* unused harmony export registerCodeActionProvider */ /* unused harmony export registerDocumentFormattingEditProvider */ /* unused harmony export registerDocumentRangeFormattingEditProvider */ /* unused harmony export registerOnTypeFormattingEditProvider */ /* unused harmony export registerLinkProvider */ /* unused harmony export registerCompletionItemProvider */ /* unused harmony export registerColorProvider */ /* unused harmony export registerFoldingRangeProvider */ /* harmony export (immutable) */ __webpack_exports__["a"] = createMonacoLanguagesAPI; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__common_core_range_js__ = __webpack_require__(846); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__common_core_token_js__ = __webpack_require__(1441); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__common_modes_js__ = __webpack_require__(1044); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__common_modes_languageConfigurationRegistry_js__ = __webpack_require__(1327); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_modes_modesRegistry_js__ = __webpack_require__(1582); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__ = __webpack_require__(1561); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__ = __webpack_require__(1716); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_monarch_monarchCompile_js__ = __webpack_require__(2087); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_monarch_monarchLexer_js__ = __webpack_require__(1689); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Register information about a new language. */ function register(language) { __WEBPACK_IMPORTED_MODULE_4__common_modes_modesRegistry_js__["a" /* ModesRegistry */].registerLanguage(language); } /** * Get the information of all the registered languages. */ function getLanguages() { var result = []; result = result.concat(__WEBPACK_IMPORTED_MODULE_4__common_modes_modesRegistry_js__["a" /* ModesRegistry */].getLanguages()); return result; } function getEncodedLanguageId(languageId) { var lid = __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].modeService.get().getLanguageIdentifier(languageId); return lid ? lid.id : 0; } /** * An event emitted when a language is first time needed (e.g. a model has it set). * @event */ function onLanguage(languageId, callback) { var disposable = __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].modeService.get().onDidCreateMode(function (mode) { if (mode.getId() === languageId) { // stop listening disposable.dispose(); // invoke actual listener callback(); } }); return disposable; } /** * Set the editing configuration for a language. */ function setLanguageConfiguration(languageId, configuration) { var languageIdentifier = __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].modeService.get().getLanguageIdentifier(languageId); if (!languageIdentifier) { throw new Error("Cannot set configuration for unknown language " + languageId); } return __WEBPACK_IMPORTED_MODULE_3__common_modes_languageConfigurationRegistry_js__["a" /* LanguageConfigurationRegistry */].register(languageIdentifier, configuration); } /** * @internal */ var EncodedTokenizationSupport2Adapter = /** @class */ (function () { function EncodedTokenizationSupport2Adapter(actual) { this._actual = actual; } EncodedTokenizationSupport2Adapter.prototype.getInitialState = function () { return this._actual.getInitialState(); }; EncodedTokenizationSupport2Adapter.prototype.tokenize = function (line, state, offsetDelta) { throw new Error('Not supported!'); }; EncodedTokenizationSupport2Adapter.prototype.tokenize2 = function (line, state) { var result = this._actual.tokenizeEncoded(line, state); return new __WEBPACK_IMPORTED_MODULE_1__common_core_token_js__["c" /* TokenizationResult2 */](result.tokens, result.endState); }; return EncodedTokenizationSupport2Adapter; }()); /** * @internal */ var TokenizationSupport2Adapter = /** @class */ (function () { function TokenizationSupport2Adapter(standaloneThemeService, languageIdentifier, actual) { this._standaloneThemeService = standaloneThemeService; this._languageIdentifier = languageIdentifier; this._actual = actual; } TokenizationSupport2Adapter.prototype.getInitialState = function () { return this._actual.getInitialState(); }; TokenizationSupport2Adapter.prototype._toClassicTokens = function (tokens, language, offsetDelta) { var result = []; var previousStartIndex = 0; for (var i = 0, len = tokens.length; i < len; i++) { var t = tokens[i]; var startIndex = t.startIndex; // Prevent issues stemming from a buggy external tokenizer. if (i === 0) { // Force first token to start at first index! startIndex = 0; } else if (startIndex < previousStartIndex) { // Force tokens to be after one another! startIndex = previousStartIndex; } result[i] = new __WEBPACK_IMPORTED_MODULE_1__common_core_token_js__["a" /* Token */](startIndex + offsetDelta, t.scopes, language); previousStartIndex = startIndex; } return result; }; TokenizationSupport2Adapter.prototype.tokenize = function (line, state, offsetDelta) { var actualResult = this._actual.tokenize(line, state); var tokens = this._toClassicTokens(actualResult.tokens, this._languageIdentifier.language, offsetDelta); var endState; // try to save an object if possible if (actualResult.endState.equals(state)) { endState = state; } else { endState = actualResult.endState; } return new __WEBPACK_IMPORTED_MODULE_1__common_core_token_js__["b" /* TokenizationResult */](tokens, endState); }; TokenizationSupport2Adapter.prototype._toBinaryTokens = function (tokens, offsetDelta) { var languageId = this._languageIdentifier.id; var tokenTheme = this._standaloneThemeService.getTheme().tokenTheme; var result = [], resultLen = 0; var previousStartIndex = 0; for (var i = 0, len = tokens.length; i < len; i++) { var t = tokens[i]; var metadata = tokenTheme.match(languageId, t.scopes); if (resultLen > 0 && result[resultLen - 1] === metadata) { // same metadata continue; } var startIndex = t.startIndex; // Prevent issues stemming from a buggy external tokenizer. if (i === 0) { // Force first token to start at first index! startIndex = 0; } else if (startIndex < previousStartIndex) { // Force tokens to be after one another! startIndex = previousStartIndex; } result[resultLen++] = startIndex + offsetDelta; result[resultLen++] = metadata; previousStartIndex = startIndex; } var actualResult = new Uint32Array(resultLen); for (var i = 0; i < resultLen; i++) { actualResult[i] = result[i]; } return actualResult; }; TokenizationSupport2Adapter.prototype.tokenize2 = function (line, state, offsetDelta) { var actualResult = this._actual.tokenize(line, state); var tokens = this._toBinaryTokens(actualResult.tokens, offsetDelta); var endState; // try to save an object if possible if (actualResult.endState.equals(state)) { endState = state; } else { endState = actualResult.endState; } return new __WEBPACK_IMPORTED_MODULE_1__common_core_token_js__["c" /* TokenizationResult2 */](tokens, endState); }; return TokenizationSupport2Adapter; }()); function isEncodedTokensProvider(provider) { return provider['tokenizeEncoded']; } function isThenable(obj) { if (typeof obj.then === 'function') { return true; } return false; } /** * Set the tokens provider for a language (manual implementation). */ function setTokensProvider(languageId, provider) { var languageIdentifier = __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].modeService.get().getLanguageIdentifier(languageId); if (!languageIdentifier) { throw new Error("Cannot set tokens provider for unknown language " + languageId); } var create = function (provider) { if (isEncodedTokensProvider(provider)) { return new EncodedTokenizationSupport2Adapter(provider); } else { return new TokenizationSupport2Adapter(__WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].standaloneThemeService.get(), languageIdentifier, provider); } }; if (isThenable(provider)) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["v" /* TokenizationRegistry */].registerPromise(languageId, provider.then(function (provider) { return create(provider); })); } return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["v" /* TokenizationRegistry */].register(languageId, create(provider)); } /** * Set the tokens provider for a language (monarch implementation). */ function setMonarchTokensProvider(languageId, languageDef) { var create = function (languageDef) { return Object(__WEBPACK_IMPORTED_MODULE_8__common_monarch_monarchLexer_js__["b" /* createTokenizationSupport */])(__WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].modeService.get(), __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].standaloneThemeService.get(), languageId, Object(__WEBPACK_IMPORTED_MODULE_7__common_monarch_monarchCompile_js__["a" /* compile */])(languageId, languageDef)); }; if (isThenable(languageDef)) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["v" /* TokenizationRegistry */].registerPromise(languageId, languageDef.then(function (languageDef) { return create(languageDef); })); } return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["v" /* TokenizationRegistry */].register(languageId, create(languageDef)); } /** * Register a reference provider (used by e.g. reference search). */ function registerReferenceProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["r" /* ReferenceProviderRegistry */].register(languageId, provider); } /** * Register a rename provider (used by e.g. rename symbol). */ function registerRenameProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["s" /* RenameProviderRegistry */].register(languageId, provider); } /** * Register a signature help provider (used by e.g. parameter hints). */ function registerSignatureHelpProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["t" /* SignatureHelpProviderRegistry */].register(languageId, provider); } /** * Register a hover provider (used by e.g. editor hover). */ function registerHoverProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["m" /* HoverProviderRegistry */].register(languageId, { provideHover: function (model, position, token) { var word = model.getWordAtPosition(position); return Promise.resolve(provider.provideHover(model, position, token)).then(function (value) { if (!value) { return undefined; } if (!value.range && word) { value.range = new __WEBPACK_IMPORTED_MODULE_0__common_core_range_js__["a" /* Range */](position.lineNumber, word.startColumn, position.lineNumber, word.endColumn); } if (!value.range) { value.range = new __WEBPACK_IMPORTED_MODULE_0__common_core_range_js__["a" /* Range */](position.lineNumber, position.column, position.lineNumber, position.column); } return value; }); } }); } /** * Register a document symbol provider (used by e.g. outline). */ function registerDocumentSymbolProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["j" /* DocumentSymbolProviderRegistry */].register(languageId, provider); } /** * Register a document highlight provider (used by e.g. highlight occurrences). */ function registerDocumentHighlightProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["h" /* DocumentHighlightProviderRegistry */].register(languageId, provider); } /** * Register a definition provider (used by e.g. go to definition). */ function registerDefinitionProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["f" /* DefinitionProviderRegistry */].register(languageId, provider); } /** * Register a implementation provider (used by e.g. go to implementation). */ function registerImplementationProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["n" /* ImplementationProviderRegistry */].register(languageId, provider); } /** * Register a type definition provider (used by e.g. go to type definition). */ function registerTypeDefinitionProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["w" /* TypeDefinitionProviderRegistry */].register(languageId, provider); } /** * Register a code lens provider (used by e.g. inline code lenses). */ function registerCodeLensProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["b" /* CodeLensProviderRegistry */].register(languageId, provider); } /** * Register a code action provider (used by e.g. quick fix). */ function registerCodeActionProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["a" /* CodeActionProviderRegistry */].register(languageId, { provideCodeActions: function (model, range, context, token) { var markers = __WEBPACK_IMPORTED_MODULE_6__standaloneServices_js__["b" /* StaticServices */].markerService.get().read({ resource: model.uri }).filter(function (m) { return __WEBPACK_IMPORTED_MODULE_0__common_core_range_js__["a" /* Range */].areIntersectingOrTouching(m, range); }); return provider.provideCodeActions(model, range, { markers: markers, only: context.only }, token); } }); } /** * Register a formatter that can handle only entire models. */ function registerDocumentFormattingEditProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["g" /* DocumentFormattingEditProviderRegistry */].register(languageId, provider); } /** * Register a formatter that can handle a range inside a model. */ function registerDocumentRangeFormattingEditProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["i" /* DocumentRangeFormattingEditProviderRegistry */].register(languageId, provider); } /** * Register a formatter than can do formatting as the user types. */ function registerOnTypeFormattingEditProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["q" /* OnTypeFormattingEditProviderRegistry */].register(languageId, provider); } /** * Register a link provider that can find links in text. */ function registerLinkProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["p" /* LinkProviderRegistry */].register(languageId, provider); } /** * Register a completion item provider (use by e.g. suggestions). */ function registerCompletionItemProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["d" /* CompletionProviderRegistry */].register(languageId, provider); } /** * Register a document color provider (used by Color Picker, Color Decorator). */ function registerColorProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["c" /* ColorProviderRegistry */].register(languageId, provider); } /** * Register a folding range provider */ function registerFoldingRangeProvider(languageId, provider) { return __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["l" /* FoldingRangeProviderRegistry */].register(languageId, provider); } /** * @internal */ function createMonacoLanguagesAPI() { return { register: register, getLanguages: getLanguages, onLanguage: onLanguage, getEncodedLanguageId: getEncodedLanguageId, // provider methods setLanguageConfiguration: setLanguageConfiguration, setTokensProvider: setTokensProvider, setMonarchTokensProvider: setMonarchTokensProvider, registerReferenceProvider: registerReferenceProvider, registerRenameProvider: registerRenameProvider, registerCompletionItemProvider: registerCompletionItemProvider, registerSignatureHelpProvider: registerSignatureHelpProvider, registerHoverProvider: registerHoverProvider, registerDocumentSymbolProvider: registerDocumentSymbolProvider, registerDocumentHighlightProvider: registerDocumentHighlightProvider, registerDefinitionProvider: registerDefinitionProvider, registerImplementationProvider: registerImplementationProvider, registerTypeDefinitionProvider: registerTypeDefinitionProvider, registerCodeLensProvider: registerCodeLensProvider, registerCodeActionProvider: registerCodeActionProvider, registerDocumentFormattingEditProvider: registerDocumentFormattingEditProvider, registerDocumentRangeFormattingEditProvider: registerDocumentRangeFormattingEditProvider, registerOnTypeFormattingEditProvider: registerOnTypeFormattingEditProvider, registerLinkProvider: registerLinkProvider, registerColorProvider: registerColorProvider, registerFoldingRangeProvider: registerFoldingRangeProvider, // enums DocumentHighlightKind: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["g" /* DocumentHighlightKind */], CompletionItemKind: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["b" /* CompletionItemKind */], CompletionItemInsertTextRule: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["a" /* CompletionItemInsertTextRule */], SymbolKind: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["w" /* SymbolKind */], IndentAction: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["j" /* IndentAction */], CompletionTriggerKind: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["c" /* CompletionTriggerKind */], SignatureHelpTriggerKind: __WEBPACK_IMPORTED_MODULE_5__common_standalone_standaloneEnums_js__["v" /* SignatureHelpTriggerKind */], // classes FoldingRangeKind: __WEBPACK_IMPORTED_MODULE_2__common_modes_js__["k" /* FoldingRangeKind */], }; } /***/ }), /***/ 2087: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = compile; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__base_common_objects_js__ = __webpack_require__(1288); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__ = __webpack_require__(1690); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /* * This module only exports 'compile' which compiles a JSON language definition * into a typed and checked ILexer definition. */ /* * Type helpers * * Note: this is just for sanity checks on the JSON description which is * helpful for the programmer. No checks are done anymore once the lexer is * already 'compiled and checked'. * */ function isArrayOf(elemType, obj) { if (!obj) { return false; } if (!(Array.isArray(obj))) { return false; } for (var idx in obj) { if (obj.hasOwnProperty(idx)) { if (!(elemType(obj[idx]))) { return false; } } } return true; } function bool(prop, defValue) { if (typeof prop === 'boolean') { return prop; } return defValue; } function string(prop, defValue) { if (typeof (prop) === 'string') { return prop; } return defValue; } // Lexer helpers /** * Compiles a regular expression string, adding the 'i' flag if 'ignoreCase' is set. * Also replaces @\w+ or sequences with the content of the specified attribute */ function compileRegExp(lexer, str) { var n = 0; while (str.indexOf('@') >= 0 && n < 5) { // at most 5 expansions n++; str = str.replace(/@(\w+)/g, function (s, attr) { var sub = ''; if (typeof (lexer[attr]) === 'string') { sub = lexer[attr]; } else if (lexer[attr] && lexer[attr] instanceof RegExp) { sub = lexer[attr].source; } else { if (lexer[attr] === undefined) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'language definition does not contain attribute \'' + attr + '\', used at: ' + str); } else { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'attribute reference \'' + attr + '\' must be a string, used at: ' + str); } } return (__WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["b" /* empty */](sub) ? '' : '(?:' + sub + ')'); }); } return new RegExp(str, (lexer.ignoreCase ? 'i' : '')); } /** * Compiles guard functions for case matches. * This compiles 'cases' attributes into efficient match functions. * */ function selectScrutinee(id, matches, state, num) { if (num < 0) { return id; } if (num < matches.length) { return matches[num]; } if (num >= 100) { num = num - 100; var parts = state.split('.'); parts.unshift(state); if (num < parts.length) { return parts[num]; } } return null; } function createGuard(lexer, ruleName, tkey, val) { // get the scrutinee and pattern var scrut = -1; // -1: $!, 0-99: $n, 100+n: $Sn var oppat = tkey; var matches = tkey.match(/^\$(([sS]?)(\d\d?)|#)(.*)$/); if (matches) { if (matches[3]) { // if digits scrut = parseInt(matches[3]); if (matches[2]) { scrut = scrut + 100; // if [sS] present } } oppat = matches[4]; } // get operator var op = '~'; var pat = oppat; if (!oppat || oppat.length === 0) { op = '!='; pat = ''; } else if (/^\w*$/.test(pat)) { // just a word op = '=='; } else { matches = oppat.match(/^(@|!@|~|!~|==|!=)(.*)$/); if (matches) { op = matches[1]; pat = matches[2]; } } // set the tester function var tester; // special case a regexp that matches just words if ((op === '~' || op === '!~') && /^(\w|\|)*$/.test(pat)) { var inWords_1 = __WEBPACK_IMPORTED_MODULE_0__base_common_objects_js__["a" /* createKeywordMatcher */](pat.split('|'), lexer.ignoreCase); tester = function (s) { return (op === '~' ? inWords_1(s) : !inWords_1(s)); }; } else if (op === '@' || op === '!@') { var words = lexer[pat]; if (!words) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'the @ match target \'' + pat + '\' is not defined, in rule: ' + ruleName); } if (!(isArrayOf(function (elem) { return (typeof (elem) === 'string'); }, words))) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'the @ match target \'' + pat + '\' must be an array of strings, in rule: ' + ruleName); } var inWords_2 = __WEBPACK_IMPORTED_MODULE_0__base_common_objects_js__["a" /* createKeywordMatcher */](words, lexer.ignoreCase); tester = function (s) { return (op === '@' ? inWords_2(s) : !inWords_2(s)); }; } else if (op === '~' || op === '!~') { if (pat.indexOf('$') < 0) { // precompile regular expression var re_1 = compileRegExp(lexer, '^' + pat + '$'); tester = function (s) { return (op === '~' ? re_1.test(s) : !re_1.test(s)); }; } else { tester = function (s, id, matches, state) { var re = compileRegExp(lexer, '^' + __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["k" /* substituteMatches */](lexer, pat, id, matches, state) + '$'); return re.test(s); }; } } else { // if (op==='==' || op==='!=') { if (pat.indexOf('$') < 0) { var patx_1 = __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["d" /* fixCase */](lexer, pat); tester = function (s) { return (op === '==' ? s === patx_1 : s !== patx_1); }; } else { var patx_2 = __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["d" /* fixCase */](lexer, pat); tester = function (s, id, matches, state, eos) { var patexp = __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["k" /* substituteMatches */](lexer, patx_2, id, matches, state); return (op === '==' ? s === patexp : s !== patexp); }; } } // return the branch object if (scrut === -1) { return { name: tkey, value: val, test: function (id, matches, state, eos) { return tester(id, id, matches, state, eos); } }; } else { return { name: tkey, value: val, test: function (id, matches, state, eos) { var scrutinee = selectScrutinee(id, matches, state, scrut); return tester(!scrutinee ? '' : scrutinee, id, matches, state, eos); } }; } } /** * Compiles an action: i.e. optimize regular expressions and case matches * and do many sanity checks. * * This is called only during compilation but if the lexer definition * contains user functions as actions (which is usually not allowed), then this * may be called during lexing. It is important therefore to compile common cases efficiently */ function compileAction(lexer, ruleName, action) { if (!action) { return { token: '' }; } else if (typeof (action) === 'string') { return action; // { token: action }; } else if (action.token || action.token === '') { if (typeof (action.token) !== 'string') { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'a \'token\' attribute must be of type string, in rule: ' + ruleName); } else { // only copy specific typed fields (only happens once during compile Lexer) var newAction = { token: action.token }; if (action.token.indexOf('$') >= 0) { newAction.tokenSubst = true; } if (typeof (action.bracket) === 'string') { if (action.bracket === '@open') { newAction.bracket = 1 /* Open */; } else if (action.bracket === '@close') { newAction.bracket = -1 /* Close */; } else { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'a \'bracket\' attribute must be either \'@open\' or \'@close\', in rule: ' + ruleName); } } if (action.next) { if (typeof (action.next) !== 'string') { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'the next state must be a string value in rule: ' + ruleName); } else { var next = action.next; if (!/^(@pop|@push|@popall)$/.test(next)) { if (next[0] === '@') { next = next.substr(1); // peel off starting @ sign } if (next.indexOf('$') < 0) { // no dollar substitution, we can check if the state exists if (!__WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["j" /* stateExists */](lexer, __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["k" /* substituteMatches */](lexer, next, '', [], ''))) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'the next state \'' + action.next + '\' is not defined in rule: ' + ruleName); } } } newAction.next = next; } } if (typeof (action.goBack) === 'number') { newAction.goBack = action.goBack; } if (typeof (action.switchTo) === 'string') { newAction.switchTo = action.switchTo; } if (typeof (action.log) === 'string') { newAction.log = action.log; } if (typeof (action.nextEmbedded) === 'string') { newAction.nextEmbedded = action.nextEmbedded; lexer.usesEmbedded = true; } return newAction; } } else if (Array.isArray(action)) { var results = []; for (var idx in action) { if (action.hasOwnProperty(idx)) { results[idx] = compileAction(lexer, ruleName, action[idx]); } } return { group: results }; } else if (action.cases) { // build an array of test cases var cases_1 = []; // for each case, push a test function and result value for (var tkey in action.cases) { if (action.cases.hasOwnProperty(tkey)) { var val = compileAction(lexer, ruleName, action.cases[tkey]); // what kind of case if (tkey === '@default' || tkey === '@' || tkey === '') { cases_1.push({ test: undefined, value: val, name: tkey }); } else if (tkey === '@eos') { cases_1.push({ test: function (id, matches, state, eos) { return eos; }, value: val, name: tkey }); } else { cases_1.push(createGuard(lexer, ruleName, tkey, val)); // call separate function to avoid local variable capture } } } // create a matching function var def_1 = lexer.defaultToken; return { test: function (id, matches, state, eos) { for (var idx in cases_1) { if (cases_1.hasOwnProperty(idx)) { var _case = cases_1[idx]; var didmatch = (!_case.test || _case.test(id, matches, state, eos)); if (didmatch) { return _case.value; } } } return def_1; } }; } else { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'an action must be a string, an object with a \'token\' or \'cases\' attribute, or an array of actions; in rule: ' + ruleName); } } /** * Helper class for creating matching rules */ var Rule = /** @class */ (function () { function Rule(name) { this.regex = new RegExp(''); this.action = { token: '' }; this.matchOnlyAtLineStart = false; this.name = ''; this.name = name; } Rule.prototype.setRegex = function (lexer, re) { var sregex; if (typeof (re) === 'string') { sregex = re; } else if (re instanceof RegExp) { sregex = re.source; } else { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'rules must start with a match string or regular expression: ' + this.name); } this.matchOnlyAtLineStart = (sregex.length > 0 && sregex[0] === '^'); this.name = this.name + ': ' + sregex; this.regex = compileRegExp(lexer, '^(?:' + (this.matchOnlyAtLineStart ? sregex.substr(1) : sregex) + ')'); }; Rule.prototype.setAction = function (lexer, act) { this.action = compileAction(lexer, this.name, act); }; return Rule; }()); /** * Compiles a json description function into json where all regular expressions, * case matches etc, are compiled and all include rules are expanded. * We also compile the bracket definitions, supply defaults, and do many sanity checks. * If the 'jsonStrict' parameter is 'false', we allow at certain locations * regular expression objects and functions that get called during lexing. * (Currently we have no samples that need this so perhaps we should always have * jsonStrict to true). */ function compile(languageId, json) { if (!json || typeof (json) !== 'object') { throw new Error('Monarch: expecting a language definition object'); } // Create our lexer var lexer = {}; lexer.languageId = languageId; lexer.noThrow = false; // raise exceptions during compilation lexer.maxStack = 100; // Set standard fields: be defensive about types lexer.start = (typeof json.start === 'string' ? json.start : null); lexer.ignoreCase = bool(json.ignoreCase, false); lexer.tokenPostfix = string(json.tokenPostfix, '.' + lexer.languageId); lexer.defaultToken = string(json.defaultToken, 'source'); lexer.usesEmbedded = false; // becomes true if we find a nextEmbedded action // For calling compileAction later on var lexerMin = json; lexerMin.languageId = languageId; lexerMin.ignoreCase = lexer.ignoreCase; lexerMin.noThrow = lexer.noThrow; lexerMin.usesEmbedded = lexer.usesEmbedded; lexerMin.stateNames = json.tokenizer; lexerMin.defaultToken = lexer.defaultToken; // Compile an array of rules into newrules where RegExp objects are created. function addRules(state, newrules, rules) { for (var idx in rules) { if (rules.hasOwnProperty(idx)) { var rule = rules[idx]; var include = rule.include; if (include) { if (typeof (include) !== 'string') { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'an \'include\' attribute must be a string at: ' + state); } if (include[0] === '@') { include = include.substr(1); // peel off starting @ } if (!json.tokenizer[include]) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'include target \'' + include + '\' is not defined at: ' + state); } addRules(state + '.' + include, newrules, json.tokenizer[include]); } else { var newrule = new Rule(state); // Set up new rule attributes if (Array.isArray(rule) && rule.length >= 1 && rule.length <= 3) { newrule.setRegex(lexerMin, rule[0]); if (rule.length >= 3) { if (typeof (rule[1]) === 'string') { newrule.setAction(lexerMin, { token: rule[1], next: rule[2] }); } else if (typeof (rule[1]) === 'object') { var rule1 = rule[1]; rule1.next = rule[2]; newrule.setAction(lexerMin, rule1); } else { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'a next state as the last element of a rule can only be given if the action is either an object or a string, at: ' + state); } } else { newrule.setAction(lexerMin, rule[1]); } } else { if (!rule.regex) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'a rule must either be an array, or an object with a \'regex\' or \'include\' field at: ' + state); } if (rule.name) { if (typeof rule.name === 'string') { newrule.name = rule.name; } } if (rule.matchOnlyAtStart) { newrule.matchOnlyAtLineStart = bool(rule.matchOnlyAtLineStart, false); } newrule.setRegex(lexerMin, rule.regex); newrule.setAction(lexerMin, rule.action); } newrules.push(newrule); } } } } // compile the tokenizer rules if (!json.tokenizer || typeof (json.tokenizer) !== 'object') { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'a language definition must define the \'tokenizer\' attribute as an object'); } lexer.tokenizer = []; for (var key in json.tokenizer) { if (json.tokenizer.hasOwnProperty(key)) { if (!lexer.start) { lexer.start = key; } var rules = json.tokenizer[key]; lexer.tokenizer[key] = new Array(); addRules('tokenizer.' + key, lexer.tokenizer[key], rules); } } lexer.usesEmbedded = lexerMin.usesEmbedded; // can be set during compileAction // Set simple brackets if (json.brackets) { if (!(Array.isArray(json.brackets))) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'the \'brackets\' attribute must be defined as an array'); } } else { json.brackets = [ { open: '{', close: '}', token: 'delimiter.curly' }, { open: '[', close: ']', token: 'delimiter.square' }, { open: '(', close: ')', token: 'delimiter.parenthesis' }, { open: '<', close: '>', token: 'delimiter.angle' } ]; } var brackets = []; for (var bracketIdx in json.brackets) { if (json.brackets.hasOwnProperty(bracketIdx)) { var desc = json.brackets[bracketIdx]; if (desc && Array.isArray(desc) && desc.length === 3) { desc = { token: desc[2], open: desc[0], close: desc[1] }; } if (desc.open === desc.close) { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'open and close brackets in a \'brackets\' attribute must be different: ' + desc.open + '\n hint: use the \'bracket\' attribute if matching on equal brackets is required.'); } if (typeof desc.open === 'string' && typeof desc.token === 'string' && typeof desc.close === 'string') { brackets.push({ token: desc.token + lexer.tokenPostfix, open: __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["d" /* fixCase */](lexer, desc.open), close: __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["d" /* fixCase */](lexer, desc.close) }); } else { throw __WEBPACK_IMPORTED_MODULE_1__monarchCommon_js__["a" /* createError */](lexer, 'every element in the \'brackets\' array must be a \'{open,close,token}\' object or array'); } } } lexer.brackets = brackets; // Disable throw so the syntax highlighter goes, no matter what lexer.noThrow = true; return lexer; } /***/ }), /***/ 2088: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.processSize = processSize; function processSize(size) { return !/^\d+$/.test(size) ? size : size + "px"; } /***/ }), /***/ 2089: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _editor = __webpack_require__(1676); var monaco = _interopRequireWildcard(_editor); var _react = __webpack_require__(0); var _react2 = _interopRequireDefault(_react); var _propTypes = __webpack_require__(1); var _propTypes2 = _interopRequireDefault(_propTypes); var _utils = __webpack_require__(1727); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } else { var newObj = {}; if (obj != null) { for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key]; } } newObj.default = obj; return newObj; } } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } function noop() {} var MonacoDiffEditor = function (_React$Component) { _inherits(MonacoDiffEditor, _React$Component); function MonacoDiffEditor(props) { _classCallCheck(this, MonacoDiffEditor); var _this = _possibleConstructorReturn(this, (MonacoDiffEditor.__proto__ || Object.getPrototypeOf(MonacoDiffEditor)).call(this, props)); _this.assignRef = function (component) { _this.containerElement = component; }; _this.containerElement = undefined; _this.__current_value = props.value; _this.__current_original = props.original; return _this; } _createClass(MonacoDiffEditor, [{ key: 'componentDidMount', value: function componentDidMount() { this.initMonaco(); } }, { key: 'componentDidUpdate', value: function componentDidUpdate(prevProps) { if (this.props.value !== this.__current_value || this.props.original !== this.__current_original) { // Always refer to the latest value this.__current_value = this.props.value; this.__current_original = this.props.original; // Consider the situation of rendering 1+ times before the editor mounted if (this.editor) { this.__prevent_trigger_change_event = true; this.updateModel(this.__current_value, this.__current_original); this.__prevent_trigger_change_event = false; } } if (prevProps.language !== this.props.language) { var _editor$getModel = this.editor.getModel(), original = _editor$getModel.original, modified = _editor$getModel.modified; monaco.editor.setModelLanguage(original, this.props.language); monaco.editor.setModelLanguage(modified, this.props.language); } if (prevProps.theme !== this.props.theme) { monaco.editor.setTheme(this.props.theme); } if (this.editor && (this.props.width !== prevProps.width || this.props.height !== prevProps.height)) { this.editor.layout(); } if (prevProps.options !== this.props.options) { this.editor.updateOptions(this.props.options); } } }, { key: 'componentWillUnmount', value: function componentWillUnmount() { this.destroyMonaco(); } }, { key: 'editorWillMount', value: function editorWillMount() { var editorWillMount = this.props.editorWillMount; var options = editorWillMount(monaco); return options || {}; } }, { key: 'editorDidMount', value: function editorDidMount(editor) { var _this2 = this; this.props.editorDidMount(editor, monaco); editor.onDidUpdateDiff(function () { var value = editor.getModel().modified.getValue(); // Always refer to the latest value _this2.__current_value = value; // Only invoking when user input changed if (!_this2.__prevent_trigger_change_event) { _this2.props.onChange(value); } }); } }, { key: 'updateModel', value: function updateModel(value, original) { var language = this.props.language; var originalModel = monaco.editor.createModel(original, language); var modifiedModel = monaco.editor.createModel(value, language); this.editor.setModel({ original: originalModel, modified: modifiedModel }); } }, { key: 'initMonaco', value: function initMonaco() { var value = this.props.value !== null ? this.props.value : this.props.defaultValue; var _props = this.props, original = _props.original, theme = _props.theme, options = _props.options; if (this.containerElement) { // Before initializing monaco editor this.editorWillMount(); this.editor = monaco.editor.createDiffEditor(this.containerElement, options); if (theme) { monaco.editor.setTheme(theme); } // After initializing monaco editor this.updateModel(value, original); this.editorDidMount(this.editor); } } }, { key: 'destroyMonaco', value: function destroyMonaco() { if (typeof this.editor !== 'undefined') { this.editor.dispose(); } } }, { key: 'render', value: function render() { var _props2 = this.props, width = _props2.width, height = _props2.height; var fixedWidth = (0, _utils.processSize)(width); var fixedHeight = (0, _utils.processSize)(height); var style = { width: fixedWidth, height: fixedHeight }; return _react2.default.createElement('div', { ref: this.assignRef, style: style, className: 'react-monaco-editor-container' }); } }]); return MonacoDiffEditor; }(_react2.default.Component); MonacoDiffEditor.propTypes = { width: _propTypes2.default.oneOfType([_propTypes2.default.string, _propTypes2.default.number]), height: _propTypes2.default.oneOfType([_propTypes2.default.string, _propTypes2.default.number]), original: _propTypes2.default.string, value: _propTypes2.default.string, defaultValue: _propTypes2.default.string, language: _propTypes2.default.string, theme: _propTypes2.default.string, options: _propTypes2.default.object, editorDidMount: _propTypes2.default.func, editorWillMount: _propTypes2.default.func, onChange: _propTypes2.default.func }; MonacoDiffEditor.defaultProps = { width: '100%', height: '100%', original: null, value: null, defaultValue: '', language: 'javascript', theme: null, options: {}, editorDidMount: noop, editorWillMount: noop, onChange: noop }; exports.default = MonacoDiffEditor; /***/ }), /***/ 4380: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_antd_lib_spin_style_css__ = __webpack_require__(71); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_antd_lib_spin_style_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_antd_lib_spin_style_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_antd_lib_spin__ = __webpack_require__(72); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_antd_lib_spin___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_antd_lib_spin__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_educoder__ = __webpack_require__(5); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react_router_dom__ = __webpack_require__(45); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_axios__ = __webpack_require__(12); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_axios___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_axios__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__Shixunworkdetails_ShixunCustomsPass__ = __webpack_require__(4381); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__css_members_css__ = __webpack_require__(305); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__css_members_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7__css_members_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_formCommon_css__ = __webpack_require__(1275); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_formCommon_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8__common_formCommon_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__css_Courses_css__ = __webpack_require__(303); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__css_Courses_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_9__css_Courses_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__style_css__ = __webpack_require__(1411); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__style_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_10__style_css__); var _createClass=function(){function defineProperties(target,props){for(var i=0;i<props.length;i++){var descriptor=props[i];descriptor.enumerable=descriptor.enumerable||false;descriptor.configurable=true;if("value"in descriptor)descriptor.writable=true;Object.defineProperty(target,descriptor.key,descriptor);}}return function(Constructor,protoProps,staticProps){if(protoProps)defineProperties(Constructor.prototype,protoProps);if(staticProps)defineProperties(Constructor,staticProps);return Constructor;};}();function _classCallCheck(instance,Constructor){if(!(instance instanceof Constructor)){throw new TypeError("Cannot call a class as a function");}}function _possibleConstructorReturn(self,call){if(!self){throw new ReferenceError("this hasn't been initialised - super() hasn't been called");}return call&&(typeof call==="object"||typeof call==="function")?call:self;}function _inherits(subClass,superClass){if(typeof superClass!=="function"&&superClass!==null){throw new TypeError("Super expression must either be null or a function, not "+typeof superClass);}subClass.prototype=Object.create(superClass&&superClass.prototype,{constructor:{value:subClass,enumerable:false,writable:true,configurable:true}});if(superClass)Object.setPrototypeOf?Object.setPrototypeOf(subClass,superClass):subClass.__proto__=superClass;}var ShixunWorkDetails=function(_Component){_inherits(ShixunWorkDetails,_Component);function ShixunWorkDetails(props){_classCallCheck(this,ShixunWorkDetails);var _this=_possibleConstructorReturn(this,(ShixunWorkDetails.__proto__||Object.getPrototypeOf(ShixunWorkDetails)).call(this,props));_this.updatas=function(){_this.setState({spinning:true});var homeworkid=_this.props.match.params.homeworkid;var userid=_this.props.match.params.userid;var url="/homework_commons/"+homeworkid+"/code_review_detail.json";__WEBPACK_IMPORTED_MODULE_5_axios___default.a.get(url,{params:{user_id:userid}}).then(function(result){if(result.status===200){if(result.data.status===403||result.data.status===401||result.data.status===407||result.data.status===408||result.data.status===409||result.data.status===500){}else{_this.setState({data:result.data,spinning:false});}}}).catch(function(error){console.log(error);});};_this.goback=function(sum){// let{data}=this.state // if(sum===1){ // window.location.href = "/courses/"+data.course_id+"/students"; // }else{ // window.history.go(-1) // } // this.props.history.goBack() // "/courses/1545/shixun_homeworks/15220/list?tab=2" _this.props.history.replace("/courses/"+_this.props.match.params.coursesId+"/shixun_homeworks/"+_this.props.match.params.homeworkid+"/list?tab=2");};_this.state={data:undefined,spinning:true};return _this;}_createClass(ShixunWorkDetails,[{key:"componentDidMount",value:function componentDidMount(){var _this2=this;this.setState({spinning:true});var homeworkid=this.props.match.params.homeworkid;var userid=this.props.match.params.userid;var url="/homework_commons/"+homeworkid+"/code_review_detail.json";__WEBPACK_IMPORTED_MODULE_5_axios___default.a.get(url,{params:{user_id:userid}}).then(function(result){if(result.status===200){if(result.data.status===403||result.data.status===401||result.data.status===407||result.data.status===408||result.data.status===409||result.data.status===500){}else{_this2.setState({data:result.data,spinning:false});}}}).catch(function(error){console.log(error);});var query=this.props.location.pathname;var type=query.split('/');this.setState({shixuntypes:type[3]});}},{key:"render",value:function render(){var _this3=this;var data=this.state.data;document.title=data&&data.course_name;return __WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_1_antd_lib_spin___default.a,{size:"large",spinning:this.state.spinning,style:{marginTop:"13%"}},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"newMain clearfix "},data===undefined?"":__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"educontent mb20"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"educontent"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("p",{className:"clearfix mt20"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("a",{className:"fl color-grey-9 btn colorgrey hovercolorblue",href:"/courses/"+(data&&data.course_id)+"/shixun_homeworks/"+(data&&data.homework_common_id)},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("a",{className:"color-grey-9"},data&&data.course_name)),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color-grey-9 fl ml3 mr3"},">"),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("a",{className:"btn colorgrey fl hovercolorblue grey",href:"/courses/"+(data&&data.course_id)+"/shixun_homeworks/"+(data&&data.homework_common_id)+"/list?tab=0"// to={"/courses/"+data&&data.course_id+"/"+this.state.shixuntypes+"/"+data&&data.homework_common_id} },__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color-grey-9"},"\u5B9E\u8BAD\u4F5C\u4E1A")),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color-grey-9 fl ml3 mr3"},">"),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_3_educoder__["A" /* WordsBtn */],{className:"fl"},data&&data.username))),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"padding10-30 clearfix",style:{padding:'10px 2px'}},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"fl font-18"},data&&data.homework_common_name),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("a",{className:"fr color-grey-9 mt4",onClick:this.goback},"\u8FD4\u56DE")),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"padding10-30 edu-back-white clearfix",style:{padding:'10px 13px'}},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"fl color-orange font-14"},"\u975E\u7F16\u7A0B\u7C7B\u578B\u4EFB\u52A1\uFF0C\u4E0D\u53C2\u4E0E\u67E5\u91CD"),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"fr mt4"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color656565"},"\u88AB\u67E5\u4F5C\u54C1\uFF1A"),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"mr50"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color-orange"},data&&data.username)),data&&data.eff_score===null||data&&data.eff_score===undefined||data&&data.eff_score_full===null||data&&data.eff_score_full===undefined?"":__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"mr50"},"\u6548\u7387\u5206\uFF1A",__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color-orange"},data&&data.eff_score),"/",data&&data.eff_score_full),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:""},"\u6700\u7EC8\u6210\u7EE9\uFF1A",__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("span",{className:"color-orange"},data&&data.final_score),"\u5206"))),__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"stud-class-set bor-bottom-greyE"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement("div",{className:"clearfix edu-back-white poll_list"},__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_6__Shixunworkdetails_ShixunCustomsPass__["a" /* default */],Object.assign({},this.props,this.state,{updatas:function updatas(){return _this3.updatas();},data:data})))))));}}]);return ShixunWorkDetails;}(__WEBPACK_IMPORTED_MODULE_2_react__["Component"]);/* harmony default export */ __webpack_exports__["default"] = (ShixunWorkDetails);// {/*<div className="stud-class-set bor-bottom-greyE">*/} // {/*<div className="clearfix edu-back-white poll_list">*/} // // {/*<div className="font-16 color-dark-21 shixunreporttitle ml20">总体评价</div>*/} // // {/*<ConclusionEvaluation*/} // {/*data={data}*/} // {/*/>*/} // // {/*</div>*/} // {/*</div>*/} // // {/*<div className="stud-class-set">*/} // {/*<div className="clearfix edu-back-white poll_list">*/} // // {/*<div className="font-16 color-dark-21 shixunreporttitle ml20">阶段成绩</div>*/} // // {/*<OfficialAcademicTranscript*/} // {/*data={data}*/} // {/*/>*/} // // {/*</div>*/} // {/*</div>*/} // // {/*<div className="stud-class-set bor-bottom-greyE"*/} // {/*style={{display:data&&data.work_description===null?"none":""}}*/} // {/*>*/} // {/*<div className="clearfix edu-back-white poll_list">*/} // {/*<div className="font-16 color-dark-21 shixunreporttitle ml20">个人总结</div>*/} // {/*<style>*/} // {/*{`*/} // {/*.personalsummary{*/} // {/*height:115px;*/} // {/*border:1px solid rgba(235,235,235,1);*/} // {/*border-radius:2px;*/} // {/*}*/} // {/*.pad040{*/} // {/*padding: 0px 40px 40px;*/} // {/*}*/} // {/*.pad40px{*/} // {/*padding-bottom: 40px;*/} // {/*}*/} // {/*.codebox{*/} // {/*height: 40px;*/} // {/*line-height: 30px;*/} // {/*}*/} // {/*.codeboxright{*/} // {/*color: #999999!important;*/} // {/*font-size: 16px;*/} // {/*}*/} // {/*`}*/} // {/*</style>*/} // {/*<div className={"pad040"}>*/} // {/*<div className={"personalsummary"}>*/} // {/*{data&&data.work_description}*/} // {/*</div>*/} // {/*</div>*/} // {/*</div>*/} // {/*</div>*/} // // {/*<div className="stud-class-set bor-bottom-greyE">*/} // {/*<div className="clearfix edu-back-white poll_list">*/} // {/*<div className="font-16 color-dark-21 shixunreporttitle ml20">图形统计</div>*/} // {/*<Shixunechart*/} // {/*data={data}*/} // {/*/>*/} // {/*</div>*/} // {/*</div>*/} // // {/*<div className="stud-class-set bor-bottom-greyE">*/} // {/*<div className="clearfix edu-back-white poll_list pad40px">*/} // {/*<div className="font-16 color-dark-21 shixunreporttitle ml20">实训详情</div>*/} // {/*<style>*/} // {/*{`*/} // {/*.poll_list a{*/} // {/*padding:0px !important;*/} // {/*}*/} // {/*.backgroud4CACFF{*/} // {/*background: #4CACFF;*/} // {/*}*/} // {/*`}*/} // {/*</style>*/} // {/*{*/} // {/*data&&data.shixun_detail.map((item,key)=>{*/} // {/*return(*/} // {/*<div key={key} className={"mb20"}>*/} // {/*<div className="font-16 color-dark-21 ml20 mr20">*/} // {/*<p className="clearfix mb20">*/} // {/*<span className="panel-inner-icon mr15 fl mt3 backgroud4CACFF">*/} // {/*<i className="fa fa-code font-16 color_white"></i>*/} // {/*</span>*/} // {/*<span className="fl mt3 font-14">*/} // {/*<span className="font-bd mr15">第{item.position}关</span>*/} // {/*<Link to={/tasks/+item.game_identifier}>*/} // {/*<span className={"font-14"}>{item.subject}</span>*/} // {/*</Link>*/} // {/*</span>*/} // {/*</p>*/} // {/*<Coursesshixundetails*/} // {/*data={item.outputs}*/} // {/*/>*/} // {/*</div>*/} // // {/*{item.st===0?<div className="font-16 color-dark-21 ml20 mr20">*/} // {/*<div className="bor-grey-e mt15">*/} // {/*<p className="clearfix pt5 pb5 pl15 pr15 back-f6-grey codebox">*/} // {/*<span className="fl">最近通过的代码</span>*/} // {/*<span className="fr codeboxright">{item.path}</span>*/} // {/*</p>*/} // // {/*<div className="test-code bor-top-greyE">*/} // {/*<li className="clearfix" xmlns="http://www.w3.org/1999/html">*/} // {/*<CodeMirror*/} // {/*value={item.passed_code}*/} // {/*options={{*/} // {/*// mode: 'xml',*/} // {/*theme: 'default',*/} // {/*lineNumbers: true,*/} // {/*// extraKeys: {"Ctrl-Q": "autocomplete"}, // 快捷键*/} // {/*indentUnit: 4, //代码缩进为一个tab的距离*/} // {/*matchBrackets: true,*/} // {/*autoRefresh: true,*/} // {/*smartIndent: true,//智能换行*/} // {/*styleActiveLine: true,*/} // {/*lint: true,*/} // {/*readOnly: "nocursor"*/} // {/*}}*/} // {/*/>*/} // {/*</li>*/} // {/*</div>*/} // {/*</div>*/} // {/*</div>:""}*/} // {/*</div>*/} // {/*)*/} // {/*})*/} // {/*}*/} // {/*</div>*/} // {/*</div>*/} // {/*</div>*/} // /***/ }), /***/ 4381: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_antd_lib_table_style_css__ = __webpack_require__(1141); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_antd_lib_table_style_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_antd_lib_table_style_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_antd_lib_table__ = __webpack_require__(1142); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_antd_lib_table___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_antd_lib_table__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_antd_lib_input_number_style_css__ = __webpack_require__(1067); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_antd_lib_input_number_style_css___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_antd_lib_input_number_style_css__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_antd_lib_input_number__ = __webpack_require__(1068); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_antd_lib_input_number___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_antd_lib_input_number__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_educoder__ = __webpack_require__(5); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_router_dom__ = __webpack_require__(45); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_moment__ = __webpack_require__(85); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_moment___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_moment__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_monaco_editor__ = __webpack_require__(1837); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_monaco_editor___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_monaco_editor__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_axios__ = __webpack_require__(12); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_axios___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_9_axios__); var _createClass=function(){function defineProperties(target,props){for(var i=0;i<props.length;i++){var descriptor=props[i];descriptor.enumerable=descriptor.enumerable||false;descriptor.configurable=true;if("value"in descriptor)descriptor.writable=true;Object.defineProperty(target,descriptor.key,descriptor);}}return function(Constructor,protoProps,staticProps){if(protoProps)defineProperties(Constructor.prototype,protoProps);if(staticProps)defineProperties(Constructor,staticProps);return Constructor;};}();function _classCallCheck(instance,Constructor){if(!(instance instanceof Constructor)){throw new TypeError("Cannot call a class as a function");}}function _possibleConstructorReturn(self,call){if(!self){throw new ReferenceError("this hasn't been initialised - super() hasn't been called");}return call&&(typeof call==="object"||typeof call==="function")?call:self;}function _inherits(subClass,superClass){if(typeof superClass!=="function"&&superClass!==null){throw new TypeError("Super expression must either be null or a function, not "+typeof superClass);}subClass.prototype=Object.create(superClass&&superClass.prototype,{constructor:{value:subClass,enumerable:false,writable:true,configurable:true}});if(superClass)Object.setPrototypeOf?Object.setPrototypeOf(subClass,superClass):subClass.__proto__=superClass;}var ShixunCustomsPass=function(_Component){_inherits(ShixunCustomsPass,_Component);function ShixunCustomsPass(props){_classCallCheck(this,ShixunCustomsPass);var _this=_possibleConstructorReturn(this,(ShixunCustomsPass.__proto__||Object.getPrototypeOf(ShixunCustomsPass)).call(this,props));_this.editgame_scores=function(e,id,maxsum,code_rate,copy_user_id){var datas=_this.state.datas;var newdatas=datas;var score=e.target.value;if(score!=null&&score!=undefined&&score!=""){if(score<0){_this.props.showNotification("不能小于0");_this.setState({customsids:id});}else if(score>maxsum){_this.props.showNotification("\u4E0D\u80FD\u5927\u4E8E\u5173\u5361\u5206\u503C"+maxsum);_this.setState({customsids:id});}else{var work_id=_this.props.data.work_id;var url="/student_works/"+work_id+"/adjust_review_score.json";__WEBPACK_IMPORTED_MODULE_9_axios___default.a.post(url,{type:"review",score:score,challenge_id:id,code_rate:code_rate,copy_user_id:copy_user_id}).then(function(result){if(result.data.status===0){_this.props.updatas();_this.props.showNotification(result.data.message);}else{_this.props.showNotification(result.data.message);}}).catch(function(error){});}}else{_this.props.showNotification("调分为空将不会修改之前的分数");}};_this.state={loadingstate:true,datas:undefined};return _this;}_createClass(ShixunCustomsPass,[{key:"componentDidMount",value:function componentDidMount(){}},{key:"render",value:function render(){var _this2=this;var data=this.props.data;var customsids=this.state.customsids;// console.log(data) var datas=[];data&&data.challenge_list.forEach(function(item,key){datas.push({customs:{position:item.position,subject:item.subject},taskname:{name:item.username},openingtime:item.end_time===null?"无":item.end_time===undefined?"无":item.end_time===""?"无":__WEBPACK_IMPORTED_MODULE_7_moment___default()(item.end_time).format('YYYY-MM-DD HH:mm:ss'),evaluating:{final_score:item.final_score,all_score:item.all_score},finishtime:item.copy_username,elapsedtime:item.copy_end_time===null?"无":item.copy_end_time===undefined?"无":item.copy_end_time===""?"无":__WEBPACK_IMPORTED_MODULE_7_moment___default()(item.copy_end_time).format('YYYY-MM-DD HH:mm:ss'),empvalue:item.code_rate,challenge_id:{id:item.id},copy_user_id:item.copy_user_id// adjustmentminute:asdasd });});var columns=[{title:'关卡',dataIndex:'customs',key:'customs',className:"customsPass",render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",null,__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("style",null,"\n\t .backgroud4CACFF{\n\t background: #4CACFF;\n\t }\n\t .fontpass{\n\t overflow: hidden;\n\t\t\t\t\t\t\t\ttext-overflow: ellipsis;\n\t\t\t\t\t\t\t\twhite-space: nowrap;\n\t\t\t\t\t\t\t\twidth: 346px;\n\t }\n\t "),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"panel-inner-icon mr15 fl mt3 backgroud4CACFF"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("i",{className:"fa fa-code font-16 color_white"})),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"fl mt3 font-14 fontpass"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"font-bd mr15"},"\u7B2C",record.customs.position,"\u5173"),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"font-14",title:record.customs.subject},record.customs.subject)));}},{title:'被查作品',dataIndex:'taskname',key:'taskname',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"colorC8161D"},record.taskname.name);}},{title:'被查作品完成时间',dataIndex:'openingtime',key:'openingtime',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"color-grey-9"},record.openingtime);}},{title:'得分/满分',key:'evaluating',dataIndex:'evaluating',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"color-grey-9"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{style:{color:'#FF6800'}},record.evaluating.final_score),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"color-grey-9"},"/",record.evaluating.all_score));}},{title:'疑被抄袭作品',key:'finishtime',dataIndex:'finishtime',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"color-green"},record.finishtime);}},{title:'疑被抄袭作品完成时间',key:'elapsedtime',dataIndex:'elapsedtime',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"color-grey-9"},record.elapsedtime);}},{title:'调分',key:'adjustmentminute',dataIndex:'adjustmentminute',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",null,__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("a",null,record.copy_user_id===null?"":__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_3_antd_lib_input_number___default.a,{size:"small",className:customsids===record.challenge_id.id?"bor-red":"",defaultValue:record.evaluating.final_score,onBlur:function onBlur(e){return _this2.editgame_scores(e,record.challenge_id.id,record.evaluating.all_score,record.empvalue,record.copy_user_id);}// min={0} max={record.game_scores.game_score_full} })));}},{title:'相似度',key:'empvalue',dataIndex:'empvalue',render:function render(text,record){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"colorC8161D"},record.empvalue,"%");}}];// { // title: '调分', // key: 'adjustmentminute', // dataIndex: 'adjustmentminute', // // render: (text, record) => ( // <span> // <a>6小时 50分钟 6秒</a> // </span> // ), // }, if(this.props.isAdmin()===false){columns.some(function(item,key){if(item.title==="调分"){columns.splice(key,1);return true;}});}return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",null,__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("style",null,"\n\t\t\t\t.ant-table-thead > tr > th{\n\t\t\t\t text-align: center;\n\t\t\t\t\t}\n\t\t\t\t.tasknamebox{\n\t\t\t width: 50px;\n\t\t\t height: 24px;\n\t\t\t border: 1px solid rgba(221,23,23,1);\n\t\t\t border-radius: 12px;\n\t\t\t color: rgba(221,23,23,1);\n\t\t\t display: inline-block;\n\t\t\t\t\tline-height: 24px;\n\t\t\t\t\ttext-align: center;\n\t\t\t\t\t}\n\t\t\t\t .ant-table-tbody > tr > td{\n font-size:14px;\n\t\t\t\t\t}\n\t\t\t\t\t.task-hide{\n\t\t\t\t\t max-width: 345px;\n\t\t\t\t\t overflow: hidden;\n\t\t\t\t\t white-space: nowrap;\n\t\t\t\t\t text-overflow: ellipsis;\n\t\t\t\t\t}\n\t\t\t\t\t.ant-table-tbody > tr{\n\t\t\t\t\t height:64px;\n\t\t\t\t\t}\n\t\t\t\t\t.colorC8161D{\n\t\t\t\t\t color:#C8161D;\n\t\t\t\t\t}\n\t\t\t\t .ant-table-tbody> tr > td{\n\t\t\t\t text-align: center;\n\t\t\t\t\t}\n\t\t\t\t\t.customsPass{\n text-align: left !important;\n\t\t\t\t\t}\n\t\t\t\t\t.ant-table-thead > tr > th, .ant-table-tbody > tr > td {\n\t\t\t\t\t\t\tpadding: 16px 12px;\n\t\t\t\t\t}\n\t\t\t"),datas===undefined?"":__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_1_antd_lib_table___default.a,{dataSource:datas,columns:columns,pagination:false}),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:"stud-class-set bor-bottom-greyE mt20"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:"clearfix edu-back-white poll_list pad40px"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:"font-16 color-dark-21 shixunreporttitle mb20"},"\u5B9E\u8BAD\u8BE6\u60C5"),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("style",null,"\n\t .poll_list a{\n\t padding:0px !important;\n\t }\n\t .backgroud4CACFF{\n\t background: #4CACFF;\n\t }\n\t "),data&&data.challenge_list.map(function(item,key){// console.log("203challenge_list下面的数据"); // console.log(item); // console.log(JSON.stringify(item)); return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{key:key,className:"mb20"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:"font-16 color-dark-21 ml20 mr20"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("p",{className:"clearfix mb20"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"panel-inner-icon mr15 fl mt3 backgroud4CACFF"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("i",{className:"fa fa-code font-16 color_white"})),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"fl mt3 font-14"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"font-bd mr15"},"\u7B2C",item.position,"\u5173"),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("a",null,__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"font-14"},item.subject))),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"fr codeboxright"},"\u4EE3\u7801\u6587\u4EF6\uFF1A",item.code_list.length===0?"无":item.code_list[0].path===undefined?"无":item.code_list[0].path))),item.code_list.length===0?"":item.code_list.map(function(ite,k){return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:"font-16 color-dark-21 ml20 mr20",key:k},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:" mt15"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("p",{className:"clearfix pt5 pb5 codebox"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"fl"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"colorC8161D"},item.username),"\u7684\u4EE3\u7801\u6587\u4EF6"),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"fr"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("span",{className:"color-green"},item.copy_username),"\u7684\u4EE3\u7801\u6587\u4EF6")),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("style",null,"\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t.borderccc{\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t border:1px solid #ccc\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t"),__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("div",{className:"test-code mt20 borderccc"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement("li",{className:"clearfix"},__WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_8_react_monaco_editor__["MonacoDiffEditor"],{height:"500"// language="javascript" ,original:ite.origin_content,value:ite.target_content// options={options} })))));}));}))));}}]);return ShixunCustomsPass;}(__WEBPACK_IMPORTED_MODULE_4_react__["Component"]);/* harmony default export */ __webpack_exports__["a"] = (ShixunCustomsPass); /***/ }), /***/ 815: /***/ (function(module, exports) { /** * Checks if `value` is classified as an `Array` object. * * @static * @memberOf _ * @since 0.1.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is an array, else `false`. * @example * * _.isArray([1, 2, 3]); * // => true * * _.isArray(document.body.children); * // => false * * _.isArray('abc'); * // => false * * _.isArray(_.noop); * // => false */ var isArray = Array.isArray; module.exports = isArray; /***/ }), /***/ 816: /***/ (function(module, exports, __webpack_require__) { var baseIsNative = __webpack_require__(871), getValue = __webpack_require__(874); /** * Gets the native function at `key` of `object`. * * @private * @param {Object} object The object to query. * @param {string} key The key of the method to get. * @returns {*} Returns the function if it's native, else `undefined`. */ function getNative(object, key) { var value = getValue(object, key); return baseIsNative(value) ? value : undefined; } module.exports = getNative; /***/ }), /***/ 817: /***/ (function(module, exports, __webpack_require__) { var eq = __webpack_require__(820); /** * Gets the index at which the `key` is found in `array` of key-value pairs. * * @private * @param {Array} array The array to inspect. * @param {*} key The key to search for. * @returns {number} Returns the index of the matched value, else `-1`. */ function assocIndexOf(array, key) { var length = array.length; while (length--) { if (eq(array[length][0], key)) { return length; } } return -1; } module.exports = assocIndexOf; /***/ }), /***/ 818: /***/ (function(module, exports, __webpack_require__) { var getNative = __webpack_require__(816); /* Built-in method references that are verified to be native. */ var nativeCreate = getNative(Object, 'create'); module.exports = nativeCreate; /***/ }), /***/ 819: /***/ (function(module, exports, __webpack_require__) { var isKeyable = __webpack_require__(883); /** * Gets the data for `map`. * * @private * @param {Object} map The map to query. * @param {string} key The reference key. * @returns {*} Returns the map data. */ function getMapData(map, key) { var data = map.__data__; return isKeyable(key) ? data[typeof key == 'string' ? 'string' : 'hash'] : data.map; } module.exports = getMapData; /***/ }), /***/ 820: /***/ (function(module, exports) { /** * Performs a * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero) * comparison between two values to determine if they are equivalent. * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to compare. * @param {*} other The other value to compare. * @returns {boolean} Returns `true` if the values are equivalent, else `false`. * @example * * var object = { 'a': 1 }; * var other = { 'a': 1 }; * * _.eq(object, object); * // => true * * _.eq(object, other); * // => false * * _.eq('a', 'a'); * // => true * * _.eq('a', Object('a')); * // => false * * _.eq(NaN, NaN); * // => true */ function eq(value, other) { return value === other || (value !== value && other !== other); } module.exports = eq; /***/ }), /***/ 821: /***/ (function(module, exports, __webpack_require__) { var isSymbol = __webpack_require__(299); /** Used as references for various `Number` constants. */ var INFINITY = 1 / 0; /** * Converts `value` to a string key if it's not a string or symbol. * * @private * @param {*} value The value to inspect. * @returns {string|symbol} Returns the key. */ function toKey(value) { if (typeof value == 'string' || isSymbol(value)) { return value; } var result = (value + ''); return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result; } module.exports = toKey; /***/ }), /***/ 822: /***/ (function(module, exports, __webpack_require__) { var listCacheClear = __webpack_require__(866), listCacheDelete = __webpack_require__(867), listCacheGet = __webpack_require__(868), listCacheHas = __webpack_require__(869), listCacheSet = __webpack_require__(870); /** * Creates an list cache object. * * @private * @constructor * @param {Array} [entries] The key-value pairs to cache. */ function ListCache(entries) { var index = -1, length = entries == null ? 0 : entries.length; this.clear(); while (++index < length) { var entry = entries[index]; this.set(entry[0], entry[1]); } } // Add methods to `ListCache`. ListCache.prototype.clear = listCacheClear; ListCache.prototype['delete'] = listCacheDelete; ListCache.prototype.get = listCacheGet; ListCache.prototype.has = listCacheHas; ListCache.prototype.set = listCacheSet; module.exports = ListCache; /***/ }), /***/ 824: /***/ (function(module, exports) { /** Used as references for various `Number` constants. */ var MAX_SAFE_INTEGER = 9007199254740991; /** Used to detect unsigned integer values. */ var reIsUint = /^(?:0|[1-9]\d*)$/; /** * Checks if `value` is a valid array-like index. * * @private * @param {*} value The value to check. * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index. * @returns {boolean} Returns `true` if `value` is a valid index, else `false`. */ function isIndex(value, length) { var type = typeof value; length = length == null ? MAX_SAFE_INTEGER : length; return !!length && (type == 'number' || (type != 'symbol' && reIsUint.test(value))) && (value > -1 && value % 1 == 0 && value < length); } module.exports = isIndex; /***/ }), /***/ 825: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export isDisposable */ /* harmony export (immutable) */ __webpack_exports__["d"] = dispose; /* harmony export (immutable) */ __webpack_exports__["c"] = combinedDisposable; /* harmony export (immutable) */ __webpack_exports__["e"] = toDisposable; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Disposable; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return ImmortalReference; }); function isDisposable(thing) { return typeof thing.dispose === 'function' && thing.dispose.length === 0; } function dispose(first) { var rest = []; for (var _i = 1; _i < arguments.length; _i++) { rest[_i - 1] = arguments[_i]; } if (Array.isArray(first)) { first.forEach(function (d) { return d && d.dispose(); }); return []; } else if (rest.length === 0) { if (first) { first.dispose(); return first; } return undefined; } else { dispose(first); dispose(rest); return []; } } function combinedDisposable(disposables) { return { dispose: function () { return dispose(disposables); } }; } function toDisposable(fn) { return { dispose: function () { fn(); } }; } var Disposable = /** @class */ (function () { function Disposable() { this._toDispose = []; this._lifecycle_disposable_isDisposed = false; } Disposable.prototype.dispose = function () { this._lifecycle_disposable_isDisposed = true; this._toDispose = dispose(this._toDispose); }; Disposable.prototype._register = function (t) { if (this._lifecycle_disposable_isDisposed) { console.warn('Registering disposable on object that has already been disposed.'); t.dispose(); } else { this._toDispose.push(t); } return t; }; Disposable.None = Object.freeze({ dispose: function () { } }); return Disposable; }()); var ImmortalReference = /** @class */ (function () { function ImmortalReference(object) { this.object = object; } ImmortalReference.prototype.dispose = function () { }; return ImmortalReference; }()); /***/ }), /***/ 826: /***/ (function(module, exports, __webpack_require__) { var isArray = __webpack_require__(815), isKey = __webpack_require__(835), stringToPath = __webpack_require__(888), toString = __webpack_require__(863); /** * Casts `value` to a path array if it's not one. * * @private * @param {*} value The value to inspect. * @param {Object} [object] The object to query keys on. * @returns {Array} Returns the cast property path array. */ function castPath(value, object) { if (isArray(value)) { return value; } return isKey(value, object) ? [value] : stringToPath(toString(value)); } module.exports = castPath; /***/ }), /***/ 828: /***/ (function(module, exports) { /** Used as references for various `Number` constants. */ var MAX_SAFE_INTEGER = 9007199254740991; /** * Checks if `value` is a valid array-like length. * * **Note:** This method is loosely based on * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength). * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a valid length, else `false`. * @example * * _.isLength(3); * // => true * * _.isLength(Number.MIN_VALUE); * // => false * * _.isLength(Infinity); * // => false * * _.isLength('3'); * // => false */ function isLength(value) { return typeof value == 'number' && value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER; } module.exports = isLength; /***/ }), /***/ 829: /***/ (function(module, exports, __webpack_require__) { var getNative = __webpack_require__(816), root = __webpack_require__(162); /* Built-in method references that are verified to be native. */ var Map = getNative(root, 'Map'); module.exports = Map; /***/ }), /***/ 830: /***/ (function(module, exports, __webpack_require__) { var mapCacheClear = __webpack_require__(875), mapCacheDelete = __webpack_require__(882), mapCacheGet = __webpack_require__(884), mapCacheHas = __webpack_require__(885), mapCacheSet = __webpack_require__(886); /** * Creates a map cache object to store key-value pairs. * * @private * @constructor * @param {Array} [entries] The key-value pairs to cache. */ function MapCache(entries) { var index = -1, length = entries == null ? 0 : entries.length; this.clear(); while (++index < length) { var entry = entries[index]; this.set(entry[0], entry[1]); } } // Add methods to `MapCache`. MapCache.prototype.clear = mapCacheClear; MapCache.prototype['delete'] = mapCacheDelete; MapCache.prototype.get = mapCacheGet; MapCache.prototype.has = mapCacheHas; MapCache.prototype.set = mapCacheSet; module.exports = MapCache; /***/ }), /***/ 831: /***/ (function(module, exports, __webpack_require__) { var baseGetTag = __webpack_require__(297), isObject = __webpack_require__(163); /** `Object#toString` result references. */ var asyncTag = '[object AsyncFunction]', funcTag = '[object Function]', genTag = '[object GeneratorFunction]', proxyTag = '[object Proxy]'; /** * Checks if `value` is classified as a `Function` object. * * @static * @memberOf _ * @since 0.1.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a function, else `false`. * @example * * _.isFunction(_); * // => true * * _.isFunction(/abc/); * // => false */ function isFunction(value) { if (!isObject(value)) { return false; } // The use of `Object#toString` avoids issues with the `typeof` operator // in Safari 9 which returns 'object' for typed arrays and other constructors. var tag = baseGetTag(value); return tag == funcTag || tag == genTag || tag == asyncTag || tag == proxyTag; } module.exports = isFunction; /***/ }), /***/ 833: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return Event; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Emitter; }); /* unused harmony export EventMultiplexer */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return EventBufferer; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return Relay; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__functional_js__ = __webpack_require__(1888); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__linkedList_js__ = __webpack_require__(1679); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Event; (function (Event) { var _disposable = { dispose: function () { } }; Event.None = function () { return _disposable; }; /** * Given an event, returns another event which only fires once. */ function once(event) { return function (listener, thisArgs, disposables) { if (thisArgs === void 0) { thisArgs = null; } // we need this, in case the event fires during the listener call var didFire = false; var result; result = event(function (e) { if (didFire) { return; } else if (result) { result.dispose(); } else { didFire = true; } return listener.call(thisArgs, e); }, null, disposables); if (didFire) { result.dispose(); } return result; }; } Event.once = once; /** * Given an event and a `map` function, returns another event which maps each element * throught the mapping function. */ function map(event, map) { return snapshot(function (listener, thisArgs, disposables) { if (thisArgs === void 0) { thisArgs = null; } return event(function (i) { return listener.call(thisArgs, map(i)); }, null, disposables); }); } Event.map = map; /** * Given an event and an `each` function, returns another identical event and calls * the `each` function per each element. */ function forEach(event, each) { return snapshot(function (listener, thisArgs, disposables) { if (thisArgs === void 0) { thisArgs = null; } return event(function (i) { each(i); listener.call(thisArgs, i); }, null, disposables); }); } Event.forEach = forEach; function filter(event, filter) { return snapshot(function (listener, thisArgs, disposables) { if (thisArgs === void 0) { thisArgs = null; } return event(function (e) { return filter(e) && listener.call(thisArgs, e); }, null, disposables); }); } Event.filter = filter; /** * Given an event, returns the same event but typed as `Event<void>`. */ function signal(event) { return event; } Event.signal = signal; /** * Given a collection of events, returns a single event which emits * whenever any of the provided events emit. */ function any() { var events = []; for (var _i = 0; _i < arguments.length; _i++) { events[_i] = arguments[_i]; } return function (listener, thisArgs, disposables) { if (thisArgs === void 0) { thisArgs = null; } return Object(__WEBPACK_IMPORTED_MODULE_2__lifecycle_js__["c" /* combinedDisposable */])(events.map(function (event) { return event(function (e) { return listener.call(thisArgs, e); }, null, disposables); })); }; } Event.any = any; /** * Given an event and a `merge` function, returns another event which maps each element * and the cummulative result throught the `merge` function. Similar to `map`, but with memory. */ function reduce(event, merge, initial) { var output = initial; return map(event, function (e) { output = merge(output, e); return output; }); } Event.reduce = reduce; /** * Given a chain of event processing functions (filter, map, etc), each * function will be invoked per event & per listener. Snapshotting an event * chain allows each function to be invoked just once per event. */ function snapshot(event) { var listener; var emitter = new Emitter({ onFirstListenerAdd: function () { listener = event(emitter.fire, emitter); }, onLastListenerRemove: function () { listener.dispose(); } }); return emitter.event; } Event.snapshot = snapshot; function debounce(event, merge, delay, leading, leakWarningThreshold) { if (delay === void 0) { delay = 100; } if (leading === void 0) { leading = false; } var subscription; var output = undefined; var handle = undefined; var numDebouncedCalls = 0; var emitter = new Emitter({ leakWarningThreshold: leakWarningThreshold, onFirstListenerAdd: function () { subscription = event(function (cur) { numDebouncedCalls++; output = merge(output, cur); if (leading && !handle) { emitter.fire(output); } clearTimeout(handle); handle = setTimeout(function () { var _output = output; output = undefined; handle = undefined; if (!leading || numDebouncedCalls > 1) { emitter.fire(_output); } numDebouncedCalls = 0; }, delay); }); }, onLastListenerRemove: function () { subscription.dispose(); } }); return emitter.event; } Event.debounce = debounce; /** * Given an event, it returns another event which fires only once and as soon as * the input event emits. The event data is the number of millis it took for the * event to fire. */ function stopwatch(event) { var start = new Date().getTime(); return map(once(event), function (_) { return new Date().getTime() - start; }); } Event.stopwatch = stopwatch; /** * Given an event, it returns another event which fires only when the event * element changes. */ function latch(event) { var firstCall = true; var cache; return filter(event, function (value) { var shouldEmit = firstCall || value !== cache; firstCall = false; cache = value; return shouldEmit; }); } Event.latch = latch; /** * Buffers the provided event until a first listener comes * along, at which point fire all the events at once and * pipe the event from then on. * * ```typescript * const emitter = new Emitter<number>(); * const event = emitter.event; * const bufferedEvent = buffer(event); * * emitter.fire(1); * emitter.fire(2); * emitter.fire(3); * // nothing... * * const listener = bufferedEvent(num => console.log(num)); * // 1, 2, 3 * * emitter.fire(4); * // 4 * ``` */ function buffer(event, nextTick, _buffer) { if (nextTick === void 0) { nextTick = false; } if (_buffer === void 0) { _buffer = []; } var buffer = _buffer.slice(); var listener = event(function (e) { if (buffer) { buffer.push(e); } else { emitter.fire(e); } }); var flush = function () { if (buffer) { buffer.forEach(function (e) { return emitter.fire(e); }); } buffer = null; }; var emitter = new Emitter({ onFirstListenerAdd: function () { if (!listener) { listener = event(function (e) { return emitter.fire(e); }); } }, onFirstListenerDidAdd: function () { if (buffer) { if (nextTick) { setTimeout(flush); } else { flush(); } } }, onLastListenerRemove: function () { if (listener) { listener.dispose(); } listener = null; } }); return emitter.event; } Event.buffer = buffer; /** * Similar to `buffer` but it buffers indefinitely and repeats * the buffered events to every new listener. */ function echo(event, nextTick, buffer) { if (nextTick === void 0) { nextTick = false; } if (buffer === void 0) { buffer = []; } buffer = buffer.slice(); event(function (e) { buffer.push(e); emitter.fire(e); }); var flush = function (listener, thisArgs) { return buffer.forEach(function (e) { return listener.call(thisArgs, e); }); }; var emitter = new Emitter({ onListenerDidAdd: function (emitter, listener, thisArgs) { if (nextTick) { setTimeout(function () { return flush(listener, thisArgs); }); } else { flush(listener, thisArgs); } } }); return emitter.event; } Event.echo = echo; var ChainableEvent = /** @class */ (function () { function ChainableEvent(event) { this.event = event; } ChainableEvent.prototype.map = function (fn) { return new ChainableEvent(map(this.event, fn)); }; ChainableEvent.prototype.forEach = function (fn) { return new ChainableEvent(forEach(this.event, fn)); }; ChainableEvent.prototype.filter = function (fn) { return new ChainableEvent(filter(this.event, fn)); }; ChainableEvent.prototype.reduce = function (merge, initial) { return new ChainableEvent(reduce(this.event, merge, initial)); }; ChainableEvent.prototype.latch = function () { return new ChainableEvent(latch(this.event)); }; ChainableEvent.prototype.on = function (listener, thisArgs, disposables) { return this.event(listener, thisArgs, disposables); }; ChainableEvent.prototype.once = function (listener, thisArgs, disposables) { return once(this.event)(listener, thisArgs, disposables); }; return ChainableEvent; }()); function chain(event) { return new ChainableEvent(event); } Event.chain = chain; function fromNodeEventEmitter(emitter, eventName, map) { if (map === void 0) { map = function (id) { return id; }; } var fn = function () { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } return result.fire(map.apply(void 0, args)); }; var onFirstListenerAdd = function () { return emitter.on(eventName, fn); }; var onLastListenerRemove = function () { return emitter.removeListener(eventName, fn); }; var result = new Emitter({ onFirstListenerAdd: onFirstListenerAdd, onLastListenerRemove: onLastListenerRemove }); return result.event; } Event.fromNodeEventEmitter = fromNodeEventEmitter; function fromPromise(promise) { var emitter = new Emitter(); var shouldEmit = false; promise .then(undefined, function () { return null; }) .then(function () { if (!shouldEmit) { setTimeout(function () { return emitter.fire(undefined); }, 0); } else { emitter.fire(undefined); } }); shouldEmit = true; return emitter.event; } Event.fromPromise = fromPromise; function toPromise(event) { return new Promise(function (c) { return once(event)(c); }); } Event.toPromise = toPromise; })(Event || (Event = {})); var _globalLeakWarningThreshold = -1; var LeakageMonitor = /** @class */ (function () { function LeakageMonitor(customThreshold, name) { if (name === void 0) { name = Math.random().toString(18).slice(2, 5); } this.customThreshold = customThreshold; this.name = name; this._warnCountdown = 0; } LeakageMonitor.prototype.dispose = function () { if (this._stacks) { this._stacks.clear(); } }; LeakageMonitor.prototype.check = function (listenerCount) { var _this = this; var threshold = _globalLeakWarningThreshold; if (typeof this.customThreshold === 'number') { threshold = this.customThreshold; } if (threshold <= 0 || listenerCount < threshold) { return undefined; } if (!this._stacks) { this._stacks = new Map(); } var stack = new Error().stack.split('\n').slice(3).join('\n'); var count = (this._stacks.get(stack) || 0); this._stacks.set(stack, count + 1); this._warnCountdown -= 1; if (this._warnCountdown <= 0) { // only warn on first exceed and then every time the limit // is exceeded by 50% again this._warnCountdown = threshold * 0.5; // find most frequent listener and print warning var topStack_1; var topCount_1 = 0; this._stacks.forEach(function (count, stack) { if (!topStack_1 || topCount_1 < count) { topStack_1 = stack; topCount_1 = count; } }); console.warn("[" + this.name + "] potential listener LEAK detected, having " + listenerCount + " listeners already. MOST frequent listener (" + topCount_1 + "):"); console.warn(topStack_1); } return function () { var count = (_this._stacks.get(stack) || 0); _this._stacks.set(stack, count - 1); }; }; return LeakageMonitor; }()); /** * The Emitter can be used to expose an Event to the public * to fire it from the insides. * Sample: class Document { private _onDidChange = new Emitter<(value:string)=>any>(); public onDidChange = this._onDidChange.event; // getter-style // get onDidChange(): Event<(value:string)=>any> { // return this._onDidChange.event; // } private _doIt() { //... this._onDidChange.fire(value); } } */ var Emitter = /** @class */ (function () { function Emitter(options) { this._disposed = false; this._options = options; this._leakageMon = _globalLeakWarningThreshold > 0 ? new LeakageMonitor(this._options && this._options.leakWarningThreshold) : undefined; } Object.defineProperty(Emitter.prototype, "event", { /** * For the public to allow to subscribe * to events from this Emitter */ get: function () { var _this = this; if (!this._event) { this._event = function (listener, thisArgs, disposables) { if (!_this._listeners) { _this._listeners = new __WEBPACK_IMPORTED_MODULE_3__linkedList_js__["a" /* LinkedList */](); } var firstListener = _this._listeners.isEmpty(); if (firstListener && _this._options && _this._options.onFirstListenerAdd) { _this._options.onFirstListenerAdd(_this); } var remove = _this._listeners.push(!thisArgs ? listener : [listener, thisArgs]); if (firstListener && _this._options && _this._options.onFirstListenerDidAdd) { _this._options.onFirstListenerDidAdd(_this); } if (_this._options && _this._options.onListenerDidAdd) { _this._options.onListenerDidAdd(_this, listener, thisArgs); } // check and record this emitter for potential leakage var removeMonitor; if (_this._leakageMon) { removeMonitor = _this._leakageMon.check(_this._listeners.size); } var result; result = { dispose: function () { if (removeMonitor) { removeMonitor(); } result.dispose = Emitter._noop; if (!_this._disposed) { remove(); if (_this._options && _this._options.onLastListenerRemove) { var hasListeners = (_this._listeners && !_this._listeners.isEmpty()); if (!hasListeners) { _this._options.onLastListenerRemove(_this); } } } } }; if (Array.isArray(disposables)) { disposables.push(result); } return result; }; } return this._event; }, enumerable: true, configurable: true }); /** * To be kept private to fire an event to * subscribers */ Emitter.prototype.fire = function (event) { if (this._listeners) { // put all [listener,event]-pairs into delivery queue // then emit all event. an inner/nested event might be // the driver of this if (!this._deliveryQueue) { this._deliveryQueue = []; } for (var iter = this._listeners.iterator(), e = iter.next(); !e.done; e = iter.next()) { this._deliveryQueue.push([e.value, event]); } while (this._deliveryQueue.length > 0) { var _a = this._deliveryQueue.shift(), listener = _a[0], event_1 = _a[1]; try { if (typeof listener === 'function') { listener.call(undefined, event_1); } else { listener[0].call(listener[1], event_1); } } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_0__errors_js__["e" /* onUnexpectedError */])(e); } } } }; Emitter.prototype.dispose = function () { if (this._listeners) { this._listeners = undefined; } if (this._deliveryQueue) { this._deliveryQueue.length = 0; } if (this._leakageMon) { this._leakageMon.dispose(); } this._disposed = true; }; Emitter._noop = function () { }; return Emitter; }()); var EventMultiplexer = /** @class */ (function () { function EventMultiplexer() { var _this = this; this.hasListeners = false; this.events = []; this.emitter = new Emitter({ onFirstListenerAdd: function () { return _this.onFirstListenerAdd(); }, onLastListenerRemove: function () { return _this.onLastListenerRemove(); } }); } Object.defineProperty(EventMultiplexer.prototype, "event", { get: function () { return this.emitter.event; }, enumerable: true, configurable: true }); EventMultiplexer.prototype.add = function (event) { var _this = this; var e = { event: event, listener: null }; this.events.push(e); if (this.hasListeners) { this.hook(e); } var dispose = function () { if (_this.hasListeners) { _this.unhook(e); } var idx = _this.events.indexOf(e); _this.events.splice(idx, 1); }; return Object(__WEBPACK_IMPORTED_MODULE_2__lifecycle_js__["e" /* toDisposable */])(Object(__WEBPACK_IMPORTED_MODULE_1__functional_js__["a" /* once */])(dispose)); }; EventMultiplexer.prototype.onFirstListenerAdd = function () { var _this = this; this.hasListeners = true; this.events.forEach(function (e) { return _this.hook(e); }); }; EventMultiplexer.prototype.onLastListenerRemove = function () { var _this = this; this.hasListeners = false; this.events.forEach(function (e) { return _this.unhook(e); }); }; EventMultiplexer.prototype.hook = function (e) { var _this = this; e.listener = e.event(function (r) { return _this.emitter.fire(r); }); }; EventMultiplexer.prototype.unhook = function (e) { if (e.listener) { e.listener.dispose(); } e.listener = null; }; EventMultiplexer.prototype.dispose = function () { this.emitter.dispose(); }; return EventMultiplexer; }()); /** * The EventBufferer is useful in situations in which you want * to delay firing your events during some code. * You can wrap that code and be sure that the event will not * be fired during that wrap. * * ``` * const emitter: Emitter; * const delayer = new EventDelayer(); * const delayedEvent = delayer.wrapEvent(emitter.event); * * delayedEvent(console.log); * * delayer.bufferEvents(() => { * emitter.fire(); // event will not be fired yet * }); * * // event will only be fired at this point * ``` */ var EventBufferer = /** @class */ (function () { function EventBufferer() { this.buffers = []; } EventBufferer.prototype.wrapEvent = function (event) { var _this = this; return function (listener, thisArgs, disposables) { return event(function (i) { var buffer = _this.buffers[_this.buffers.length - 1]; if (buffer) { buffer.push(function () { return listener.call(thisArgs, i); }); } else { listener.call(thisArgs, i); } }, undefined, disposables); }; }; EventBufferer.prototype.bufferEvents = function (fn) { var buffer = []; this.buffers.push(buffer); var r = fn(); this.buffers.pop(); buffer.forEach(function (flush) { return flush(); }); return r; }; return EventBufferer; }()); /** * A Relay is an event forwarder which functions as a replugabble event pipe. * Once created, you can connect an input event to it and it will simply forward * events from that input event through its own `event` property. The `input` * can be changed at any point in time. */ var Relay = /** @class */ (function () { function Relay() { var _this = this; this.listening = false; this.inputEvent = Event.None; this.inputEventListener = __WEBPACK_IMPORTED_MODULE_2__lifecycle_js__["a" /* Disposable */].None; this.emitter = new Emitter({ onFirstListenerDidAdd: function () { _this.listening = true; _this.inputEventListener = _this.inputEvent(_this.emitter.fire, _this.emitter); }, onLastListenerRemove: function () { _this.listening = false; _this.inputEventListener.dispose(); } }); this.event = this.emitter.event; } Object.defineProperty(Relay.prototype, "input", { set: function (event) { this.inputEvent = event; if (this.listening) { this.inputEventListener.dispose(); this.inputEventListener = event(this.emitter.fire, this.emitter); } }, enumerable: true, configurable: true }); Relay.prototype.dispose = function () { this.inputEventListener.dispose(); this.emitter.dispose(); }; return Relay; }()); /***/ }), /***/ 835: /***/ (function(module, exports, __webpack_require__) { var isArray = __webpack_require__(815), isSymbol = __webpack_require__(299); /** Used to match property names within property paths. */ var reIsDeepProp = /\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/, reIsPlainProp = /^\w*$/; /** * Checks if `value` is a property name and not a property path. * * @private * @param {*} value The value to check. * @param {Object} [object] The object to query keys on. * @returns {boolean} Returns `true` if `value` is a property name, else `false`. */ function isKey(value, object) { if (isArray(value)) { return false; } var type = typeof value; if (type == 'number' || type == 'symbol' || type == 'boolean' || value == null || isSymbol(value)) { return true; } return reIsPlainProp.test(value) || !reIsDeepProp.test(value) || (object != null && value in Object(object)); } module.exports = isKey; /***/ }), /***/ 836: /***/ (function(module, exports, __webpack_require__) { var baseIsArguments = __webpack_require__(887), isObjectLike = __webpack_require__(296); /** Used for built-in method references. */ var objectProto = Object.prototype; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** Built-in value references. */ var propertyIsEnumerable = objectProto.propertyIsEnumerable; /** * Checks if `value` is likely an `arguments` object. * * @static * @memberOf _ * @since 0.1.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is an `arguments` object, * else `false`. * @example * * _.isArguments(function() { return arguments; }()); * // => true * * _.isArguments([1, 2, 3]); * // => false */ var isArguments = baseIsArguments(function() { return arguments; }()) ? baseIsArguments : function(value) { return isObjectLike(value) && hasOwnProperty.call(value, 'callee') && !propertyIsEnumerable.call(value, 'callee'); }; module.exports = isArguments; /***/ }), /***/ 837: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = ({ ZERO: 48, NINE: 57, NUMPAD_ZERO: 96, NUMPAD_NINE: 105, BACKSPACE: 8, DELETE: 46, ENTER: 13, ARROW_UP: 38, ARROW_DOWN: 40 }); /***/ }), /***/ 838: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var _createReactContext = _interopRequireDefault(__webpack_require__(294)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } var MenuContext = (0, _createReactContext["default"])({ inlineCollapsed: false }); var _default = MenuContext; exports["default"] = _default; //# sourceMappingURL=MenuContext.js.map /***/ }), /***/ 839: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return INTERNAL_COL_DEFINE; }); /* harmony export (immutable) */ __webpack_exports__["d"] = measureScrollbar; /* harmony export (immutable) */ __webpack_exports__["b"] = debounce; /* harmony export (immutable) */ __webpack_exports__["e"] = remove; /* harmony export (immutable) */ __webpack_exports__["c"] = getDataAndAriaProps; var scrollbarVerticalSize; var scrollbarHorizontalSize; // Measure scrollbar width for padding body during modal show/hide var scrollbarMeasure = { position: 'absolute', top: '-9999px', width: '50px', height: '50px' }; // This const is used for colgroup.col internal props. And should not provides to user. var INTERNAL_COL_DEFINE = 'RC_TABLE_INTERNAL_COL_DEFINE'; function measureScrollbar(_ref) { var _ref$direction = _ref.direction, direction = _ref$direction === void 0 ? 'vertical' : _ref$direction, prefixCls = _ref.prefixCls; if (typeof document === 'undefined' || typeof window === 'undefined') { return 0; } var isVertical = direction === 'vertical'; if (isVertical && scrollbarVerticalSize) { return scrollbarVerticalSize; } if (!isVertical && scrollbarHorizontalSize) { return scrollbarHorizontalSize; } var scrollDiv = document.createElement('div'); Object.keys(scrollbarMeasure).forEach(function (scrollProp) { scrollDiv.style[scrollProp] = scrollbarMeasure[scrollProp]; }); // apply hide scrollbar className ahead scrollDiv.className = "".concat(prefixCls, "-hide-scrollbar scroll-div-append-to-body"); // Append related overflow style if (isVertical) { scrollDiv.style.overflowY = 'scroll'; } else { scrollDiv.style.overflowX = 'scroll'; } document.body.appendChild(scrollDiv); var size = 0; if (isVertical) { size = scrollDiv.offsetWidth - scrollDiv.clientWidth; scrollbarVerticalSize = size; } else { size = scrollDiv.offsetHeight - scrollDiv.clientHeight; scrollbarHorizontalSize = size; } document.body.removeChild(scrollDiv); return size; } function debounce(func, wait, immediate) { var timeout; function debounceFunc() { for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } var context = this; // https://fb.me/react-event-pooling if (args[0] && args[0].persist) { args[0].persist(); } var later = function later() { timeout = null; if (!immediate) { func.apply(context, args); } }; var callNow = immediate && !timeout; clearTimeout(timeout); timeout = setTimeout(later, wait); if (callNow) { func.apply(context, args); } } debounceFunc.cancel = function cancel() { if (timeout) { clearTimeout(timeout); timeout = null; } }; return debounceFunc; } function remove(array, item) { var index = array.indexOf(item); var front = array.slice(0, index); var last = array.slice(index + 1, array.length); return front.concat(last); } /** * Returns only data- and aria- key/value pairs * @param {object} props */ function getDataAndAriaProps(props) { return Object.keys(props).reduce(function (memo, key) { if (key.substr(0, 5) === 'data-' || key.substr(0, 5) === 'aria-') { memo[key] = props[key]; } return memo; }, {}); } /***/ }), /***/ 842: /***/ (function(module, exports, __webpack_require__) { var defineProperty = __webpack_require__(853); /** * The base implementation of `assignValue` and `assignMergeValue` without * value checks. * * @private * @param {Object} object The object to modify. * @param {string} key The key of the property to assign. * @param {*} value The value to assign. */ function baseAssignValue(object, key, value) { if (key == '__proto__' && defineProperty) { defineProperty(object, key, { 'configurable': true, 'enumerable': true, 'value': value, 'writable': true }); } else { object[key] = value; } } module.exports = baseAssignValue; /***/ }), /***/ 843: /***/ (function(module, exports, __webpack_require__) { var baseGet = __webpack_require__(845); /** * Gets the value at `path` of `object`. If the resolved value is * `undefined`, the `defaultValue` is returned in its place. * * @static * @memberOf _ * @since 3.7.0 * @category Object * @param {Object} object The object to query. * @param {Array|string} path The path of the property to get. * @param {*} [defaultValue] The value returned for `undefined` resolved values. * @returns {*} Returns the resolved value. * @example * * var object = { 'a': [{ 'b': { 'c': 3 } }] }; * * _.get(object, 'a[0].b.c'); * // => 3 * * _.get(object, ['a', '0', 'b', 'c']); * // => 3 * * _.get(object, 'a.b.c', 'default'); * // => 'default' */ function get(object, path, defaultValue) { var result = object == null ? undefined : baseGet(object, path); return result === undefined ? defaultValue : result; } module.exports = get; /***/ }), /***/ 844: /***/ (function(module, exports) { /** Used for built-in method references. */ var funcProto = Function.prototype; /** Used to resolve the decompiled source of functions. */ var funcToString = funcProto.toString; /** * Converts `func` to its source code. * * @private * @param {Function} func The function to convert. * @returns {string} Returns the source code. */ function toSource(func) { if (func != null) { try { return funcToString.call(func); } catch (e) {} try { return (func + ''); } catch (e) {} } return ''; } module.exports = toSource; /***/ }), /***/ 845: /***/ (function(module, exports, __webpack_require__) { var castPath = __webpack_require__(826), toKey = __webpack_require__(821); /** * The base implementation of `_.get` without support for default values. * * @private * @param {Object} object The object to query. * @param {Array|string} path The path of the property to get. * @returns {*} Returns the resolved value. */ function baseGet(object, path) { path = castPath(path, object); var index = 0, length = path.length; while (object != null && index < length) { object = object[toKey(path[index++])]; } return (index && index == length) ? object : undefined; } module.exports = baseGet; /***/ }), /***/ 846: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Range; }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__position_js__ = __webpack_require__(854); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A range in the editor. (startLineNumber,startColumn) is <= (endLineNumber,endColumn) */ var Range = /** @class */ (function () { function Range(startLineNumber, startColumn, endLineNumber, endColumn) { if ((startLineNumber > endLineNumber) || (startLineNumber === endLineNumber && startColumn > endColumn)) { this.startLineNumber = endLineNumber; this.startColumn = endColumn; this.endLineNumber = startLineNumber; this.endColumn = startColumn; } else { this.startLineNumber = startLineNumber; this.startColumn = startColumn; this.endLineNumber = endLineNumber; this.endColumn = endColumn; } } /** * Test if this range is empty. */ Range.prototype.isEmpty = function () { return Range.isEmpty(this); }; /** * Test if `range` is empty. */ Range.isEmpty = function (range) { return (range.startLineNumber === range.endLineNumber && range.startColumn === range.endColumn); }; /** * Test if position is in this range. If the position is at the edges, will return true. */ Range.prototype.containsPosition = function (position) { return Range.containsPosition(this, position); }; /** * Test if `position` is in `range`. If the position is at the edges, will return true. */ Range.containsPosition = function (range, position) { if (position.lineNumber < range.startLineNumber || position.lineNumber > range.endLineNumber) { return false; } if (position.lineNumber === range.startLineNumber && position.column < range.startColumn) { return false; } if (position.lineNumber === range.endLineNumber && position.column > range.endColumn) { return false; } return true; }; /** * Test if range is in this range. If the range is equal to this range, will return true. */ Range.prototype.containsRange = function (range) { return Range.containsRange(this, range); }; /** * Test if `otherRange` is in `range`. If the ranges are equal, will return true. */ Range.containsRange = function (range, otherRange) { if (otherRange.startLineNumber < range.startLineNumber || otherRange.endLineNumber < range.startLineNumber) { return false; } if (otherRange.startLineNumber > range.endLineNumber || otherRange.endLineNumber > range.endLineNumber) { return false; } if (otherRange.startLineNumber === range.startLineNumber && otherRange.startColumn < range.startColumn) { return false; } if (otherRange.endLineNumber === range.endLineNumber && otherRange.endColumn > range.endColumn) { return false; } return true; }; /** * A reunion of the two ranges. * The smallest position will be used as the start point, and the largest one as the end point. */ Range.prototype.plusRange = function (range) { return Range.plusRange(this, range); }; /** * A reunion of the two ranges. * The smallest position will be used as the start point, and the largest one as the end point. */ Range.plusRange = function (a, b) { var startLineNumber; var startColumn; var endLineNumber; var endColumn; if (b.startLineNumber < a.startLineNumber) { startLineNumber = b.startLineNumber; startColumn = b.startColumn; } else if (b.startLineNumber === a.startLineNumber) { startLineNumber = b.startLineNumber; startColumn = Math.min(b.startColumn, a.startColumn); } else { startLineNumber = a.startLineNumber; startColumn = a.startColumn; } if (b.endLineNumber > a.endLineNumber) { endLineNumber = b.endLineNumber; endColumn = b.endColumn; } else if (b.endLineNumber === a.endLineNumber) { endLineNumber = b.endLineNumber; endColumn = Math.max(b.endColumn, a.endColumn); } else { endLineNumber = a.endLineNumber; endColumn = a.endColumn; } return new Range(startLineNumber, startColumn, endLineNumber, endColumn); }; /** * A intersection of the two ranges. */ Range.prototype.intersectRanges = function (range) { return Range.intersectRanges(this, range); }; /** * A intersection of the two ranges. */ Range.intersectRanges = function (a, b) { var resultStartLineNumber = a.startLineNumber; var resultStartColumn = a.startColumn; var resultEndLineNumber = a.endLineNumber; var resultEndColumn = a.endColumn; var otherStartLineNumber = b.startLineNumber; var otherStartColumn = b.startColumn; var otherEndLineNumber = b.endLineNumber; var otherEndColumn = b.endColumn; if (resultStartLineNumber < otherStartLineNumber) { resultStartLineNumber = otherStartLineNumber; resultStartColumn = otherStartColumn; } else if (resultStartLineNumber === otherStartLineNumber) { resultStartColumn = Math.max(resultStartColumn, otherStartColumn); } if (resultEndLineNumber > otherEndLineNumber) { resultEndLineNumber = otherEndLineNumber; resultEndColumn = otherEndColumn; } else if (resultEndLineNumber === otherEndLineNumber) { resultEndColumn = Math.min(resultEndColumn, otherEndColumn); } // Check if selection is now empty if (resultStartLineNumber > resultEndLineNumber) { return null; } if (resultStartLineNumber === resultEndLineNumber && resultStartColumn > resultEndColumn) { return null; } return new Range(resultStartLineNumber, resultStartColumn, resultEndLineNumber, resultEndColumn); }; /** * Test if this range equals other. */ Range.prototype.equalsRange = function (other) { return Range.equalsRange(this, other); }; /** * Test if range `a` equals `b`. */ Range.equalsRange = function (a, b) { return (!!a && !!b && a.startLineNumber === b.startLineNumber && a.startColumn === b.startColumn && a.endLineNumber === b.endLineNumber && a.endColumn === b.endColumn); }; /** * Return the end position (which will be after or equal to the start position) */ Range.prototype.getEndPosition = function () { return new __WEBPACK_IMPORTED_MODULE_0__position_js__["a" /* Position */](this.endLineNumber, this.endColumn); }; /** * Return the start position (which will be before or equal to the end position) */ Range.prototype.getStartPosition = function () { return new __WEBPACK_IMPORTED_MODULE_0__position_js__["a" /* Position */](this.startLineNumber, this.startColumn); }; /** * Transform to a user presentable string representation. */ Range.prototype.toString = function () { return '[' + this.startLineNumber + ',' + this.startColumn + ' -> ' + this.endLineNumber + ',' + this.endColumn + ']'; }; /** * Create a new range using this range's start position, and using endLineNumber and endColumn as the end position. */ Range.prototype.setEndPosition = function (endLineNumber, endColumn) { return new Range(this.startLineNumber, this.startColumn, endLineNumber, endColumn); }; /** * Create a new range using this range's end position, and using startLineNumber and startColumn as the start position. */ Range.prototype.setStartPosition = function (startLineNumber, startColumn) { return new Range(startLineNumber, startColumn, this.endLineNumber, this.endColumn); }; /** * Create a new empty range using this range's start position. */ Range.prototype.collapseToStart = function () { return Range.collapseToStart(this); }; /** * Create a new empty range using this range's start position. */ Range.collapseToStart = function (range) { return new Range(range.startLineNumber, range.startColumn, range.startLineNumber, range.startColumn); }; // --- Range.fromPositions = function (start, end) { if (end === void 0) { end = start; } return new Range(start.lineNumber, start.column, end.lineNumber, end.column); }; Range.lift = function (range) { if (!range) { return null; } return new Range(range.startLineNumber, range.startColumn, range.endLineNumber, range.endColumn); }; /** * Test if `obj` is an `IRange`. */ Range.isIRange = function (obj) { return (obj && (typeof obj.startLineNumber === 'number') && (typeof obj.startColumn === 'number') && (typeof obj.endLineNumber === 'number') && (typeof obj.endColumn === 'number')); }; /** * Test if the two ranges are touching in any way. */ Range.areIntersectingOrTouching = function (a, b) { // Check if `a` is before `b` if (a.endLineNumber < b.startLineNumber || (a.endLineNumber === b.startLineNumber && a.endColumn < b.startColumn)) { return false; } // Check if `b` is before `a` if (b.endLineNumber < a.startLineNumber || (b.endLineNumber === a.startLineNumber && b.endColumn < a.startColumn)) { return false; } // These ranges must intersect return true; }; /** * Test if the two ranges are intersecting. If the ranges are touching it returns true. */ Range.areIntersecting = function (a, b) { // Check if `a` is before `b` if (a.endLineNumber < b.startLineNumber || (a.endLineNumber === b.startLineNumber && a.endColumn <= b.startColumn)) { return false; } // Check if `b` is before `a` if (b.endLineNumber < a.startLineNumber || (b.endLineNumber === a.startLineNumber && b.endColumn <= a.startColumn)) { return false; } // These ranges must intersect return true; }; /** * A function that compares ranges, useful for sorting ranges * It will first compare ranges on the startPosition and then on the endPosition */ Range.compareRangesUsingStarts = function (a, b) { if (a && b) { var aStartLineNumber = a.startLineNumber | 0; var bStartLineNumber = b.startLineNumber | 0; if (aStartLineNumber === bStartLineNumber) { var aStartColumn = a.startColumn | 0; var bStartColumn = b.startColumn | 0; if (aStartColumn === bStartColumn) { var aEndLineNumber = a.endLineNumber | 0; var bEndLineNumber = b.endLineNumber | 0; if (aEndLineNumber === bEndLineNumber) { var aEndColumn = a.endColumn | 0; var bEndColumn = b.endColumn | 0; return aEndColumn - bEndColumn; } return aEndLineNumber - bEndLineNumber; } return aStartColumn - bStartColumn; } return aStartLineNumber - bStartLineNumber; } var aExists = (a ? 1 : 0); var bExists = (b ? 1 : 0); return aExists - bExists; }; /** * A function that compares ranges, useful for sorting ranges * It will first compare ranges on the endPosition and then on the startPosition */ Range.compareRangesUsingEnds = function (a, b) { if (a.endLineNumber === b.endLineNumber) { if (a.endColumn === b.endColumn) { if (a.startLineNumber === b.startLineNumber) { return a.startColumn - b.startColumn; } return a.startLineNumber - b.startLineNumber; } return a.endColumn - b.endColumn; } return a.endLineNumber - b.endLineNumber; }; /** * Test if the range spans multiple lines. */ Range.spansMultipleLines = function (range) { return range.endLineNumber > range.startLineNumber; }; return Range; }()); /***/ }), /***/ 847: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "i", function() { return empty; }); /* harmony export (immutable) */ __webpack_exports__["r"] = isFalsyOrWhitespace; /* unused harmony export pad */ /* harmony export (immutable) */ __webpack_exports__["o"] = format; /* harmony export (immutable) */ __webpack_exports__["l"] = escape; /* harmony export (immutable) */ __webpack_exports__["m"] = escapeRegExpCharacters; /* unused harmony export trim */ /* harmony export (immutable) */ __webpack_exports__["y"] = ltrim; /* unused harmony export rtrim */ /* harmony export (immutable) */ __webpack_exports__["g"] = convertSimple2RegExpPattern; /* harmony export (immutable) */ __webpack_exports__["B"] = startsWith; /* harmony export (immutable) */ __webpack_exports__["j"] = endsWith; /* harmony export (immutable) */ __webpack_exports__["h"] = createRegExp; /* harmony export (immutable) */ __webpack_exports__["A"] = regExpLeadsToEndlessLoop; /* harmony export (immutable) */ __webpack_exports__["z"] = regExpFlags; /* harmony export (immutable) */ __webpack_exports__["n"] = firstNonWhitespaceIndex; /* harmony export (immutable) */ __webpack_exports__["p"] = getLeadingWhitespace; /* harmony export (immutable) */ __webpack_exports__["x"] = lastNonWhitespaceIndex; /* unused harmony export compare */ /* harmony export (immutable) */ __webpack_exports__["v"] = isLowerAsciiLetter; /* harmony export (immutable) */ __webpack_exports__["w"] = isUpperAsciiLetter; /* harmony export (immutable) */ __webpack_exports__["k"] = equalsIgnoreCase; /* harmony export (immutable) */ __webpack_exports__["C"] = startsWithIgnoreCase; /* harmony export (immutable) */ __webpack_exports__["b"] = commonPrefixLength; /* harmony export (immutable) */ __webpack_exports__["c"] = commonSuffixLength; /* harmony export (immutable) */ __webpack_exports__["t"] = isHighSurrogate; /* harmony export (immutable) */ __webpack_exports__["u"] = isLowSurrogate; /* harmony export (immutable) */ __webpack_exports__["f"] = containsRTL; /* harmony export (immutable) */ __webpack_exports__["d"] = containsEmoji; /* harmony export (immutable) */ __webpack_exports__["q"] = isBasicASCII; /* harmony export (immutable) */ __webpack_exports__["e"] = containsFullWidthCharacter; /* harmony export (immutable) */ __webpack_exports__["s"] = isFullWidthCharacter; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return UTF8_BOM_CHARACTER; }); /* harmony export (immutable) */ __webpack_exports__["D"] = startsWithUTF8BOM; /* unused harmony export safeBtoa */ /* unused harmony export repeat */ /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * The empty string. */ var empty = ''; function isFalsyOrWhitespace(str) { if (!str || typeof str !== 'string') { return true; } return str.trim().length === 0; } /** * @returns the provided number with the given number of preceding zeros. */ function pad(n, l, char) { if (char === void 0) { char = '0'; } var str = '' + n; var r = [str]; for (var i = str.length; i < l; i++) { r.push(char); } return r.reverse().join(''); } var _formatRegexp = /{(\d+)}/g; /** * Helper to produce a string with a variable number of arguments. Insert variable segments * into the string using the {n} notation where N is the index of the argument following the string. * @param value string to which formatting is applied * @param args replacements for {n}-entries */ function format(value) { var args = []; for (var _i = 1; _i < arguments.length; _i++) { args[_i - 1] = arguments[_i]; } if (args.length === 0) { return value; } return value.replace(_formatRegexp, function (match, group) { var idx = parseInt(group, 10); return isNaN(idx) || idx < 0 || idx >= args.length ? match : args[idx]; }); } /** * Converts HTML characters inside the string to use entities instead. Makes the string safe from * being used e.g. in HTMLElement.innerHTML. */ function escape(html) { return html.replace(/[<>&]/g, function (match) { switch (match) { case '<': return '<'; case '>': return '>'; case '&': return '&'; default: return match; } }); } /** * Escapes regular expression characters in a given string */ function escapeRegExpCharacters(value) { return value.replace(/[\-\\\{\}\*\+\?\|\^\$\.\[\]\(\)\#]/g, '\\$&'); } /** * Removes all occurrences of needle from the beginning and end of haystack. * @param haystack string to trim * @param needle the thing to trim (default is a blank) */ function trim(haystack, needle) { if (needle === void 0) { needle = ' '; } var trimmed = ltrim(haystack, needle); return rtrim(trimmed, needle); } /** * Removes all occurrences of needle from the beginning of haystack. * @param haystack string to trim * @param needle the thing to trim */ function ltrim(haystack, needle) { if (!haystack || !needle) { return haystack; } var needleLen = needle.length; if (needleLen === 0 || haystack.length === 0) { return haystack; } var offset = 0; while (haystack.indexOf(needle, offset) === offset) { offset = offset + needleLen; } return haystack.substring(offset); } /** * Removes all occurrences of needle from the end of haystack. * @param haystack string to trim * @param needle the thing to trim */ function rtrim(haystack, needle) { if (!haystack || !needle) { return haystack; } var needleLen = needle.length, haystackLen = haystack.length; if (needleLen === 0 || haystackLen === 0) { return haystack; } var offset = haystackLen, idx = -1; while (true) { idx = haystack.lastIndexOf(needle, offset - 1); if (idx === -1 || idx + needleLen !== offset) { break; } if (idx === 0) { return ''; } offset = idx; } return haystack.substring(0, offset); } function convertSimple2RegExpPattern(pattern) { return pattern.replace(/[\-\\\{\}\+\?\|\^\$\.\,\[\]\(\)\#\s]/g, '\\$&').replace(/[\*]/g, '.*'); } /** * Determines if haystack starts with needle. */ function startsWith(haystack, needle) { if (haystack.length < needle.length) { return false; } if (haystack === needle) { return true; } for (var i = 0; i < needle.length; i++) { if (haystack[i] !== needle[i]) { return false; } } return true; } /** * Determines if haystack ends with needle. */ function endsWith(haystack, needle) { var diff = haystack.length - needle.length; if (diff > 0) { return haystack.indexOf(needle, diff) === diff; } else if (diff === 0) { return haystack === needle; } else { return false; } } function createRegExp(searchString, isRegex, options) { if (options === void 0) { options = {}; } if (!searchString) { throw new Error('Cannot create regex from empty string'); } if (!isRegex) { searchString = escapeRegExpCharacters(searchString); } if (options.wholeWord) { if (!/\B/.test(searchString.charAt(0))) { searchString = '\\b' + searchString; } if (!/\B/.test(searchString.charAt(searchString.length - 1))) { searchString = searchString + '\\b'; } } var modifiers = ''; if (options.global) { modifiers += 'g'; } if (!options.matchCase) { modifiers += 'i'; } if (options.multiline) { modifiers += 'm'; } if (options.unicode) { modifiers += 'u'; } return new RegExp(searchString, modifiers); } function regExpLeadsToEndlessLoop(regexp) { // Exit early if it's one of these special cases which are meant to match // against an empty string if (regexp.source === '^' || regexp.source === '^$' || regexp.source === '$' || regexp.source === '^\\s*$') { return false; } // We check against an empty string. If the regular expression doesn't advance // (e.g. ends in an endless loop) it will match an empty string. var match = regexp.exec(''); return !!(match && regexp.lastIndex === 0); } function regExpFlags(regexp) { return (regexp.global ? 'g' : '') + (regexp.ignoreCase ? 'i' : '') + (regexp.multiline ? 'm' : '') + (regexp.unicode ? 'u' : ''); } /** * Returns first index of the string that is not whitespace. * If string is empty or contains only whitespaces, returns -1 */ function firstNonWhitespaceIndex(str) { for (var i = 0, len = str.length; i < len; i++) { var chCode = str.charCodeAt(i); if (chCode !== 32 /* Space */ && chCode !== 9 /* Tab */) { return i; } } return -1; } /** * Returns the leading whitespace of the string. * If the string contains only whitespaces, returns entire string */ function getLeadingWhitespace(str, start, end) { if (start === void 0) { start = 0; } if (end === void 0) { end = str.length; } for (var i = start; i < end; i++) { var chCode = str.charCodeAt(i); if (chCode !== 32 /* Space */ && chCode !== 9 /* Tab */) { return str.substring(start, i); } } return str.substring(start, end); } /** * Returns last index of the string that is not whitespace. * If string is empty or contains only whitespaces, returns -1 */ function lastNonWhitespaceIndex(str, startIndex) { if (startIndex === void 0) { startIndex = str.length - 1; } for (var i = startIndex; i >= 0; i--) { var chCode = str.charCodeAt(i); if (chCode !== 32 /* Space */ && chCode !== 9 /* Tab */) { return i; } } return -1; } function compare(a, b) { if (a < b) { return -1; } else if (a > b) { return 1; } else { return 0; } } function isLowerAsciiLetter(code) { return code >= 97 /* a */ && code <= 122 /* z */; } function isUpperAsciiLetter(code) { return code >= 65 /* A */ && code <= 90 /* Z */; } function isAsciiLetter(code) { return isLowerAsciiLetter(code) || isUpperAsciiLetter(code); } function equalsIgnoreCase(a, b) { var len1 = a ? a.length : 0; var len2 = b ? b.length : 0; if (len1 !== len2) { return false; } return doEqualsIgnoreCase(a, b); } function doEqualsIgnoreCase(a, b, stopAt) { if (stopAt === void 0) { stopAt = a.length; } if (typeof a !== 'string' || typeof b !== 'string') { return false; } for (var i = 0; i < stopAt; i++) { var codeA = a.charCodeAt(i); var codeB = b.charCodeAt(i); if (codeA === codeB) { continue; } // a-z A-Z if (isAsciiLetter(codeA) && isAsciiLetter(codeB)) { var diff = Math.abs(codeA - codeB); if (diff !== 0 && diff !== 32) { return false; } } // Any other charcode else { if (String.fromCharCode(codeA).toLowerCase() !== String.fromCharCode(codeB).toLowerCase()) { return false; } } } return true; } function startsWithIgnoreCase(str, candidate) { var candidateLength = candidate.length; if (candidate.length > str.length) { return false; } return doEqualsIgnoreCase(str, candidate, candidateLength); } /** * @returns the length of the common prefix of the two strings. */ function commonPrefixLength(a, b) { var i, len = Math.min(a.length, b.length); for (i = 0; i < len; i++) { if (a.charCodeAt(i) !== b.charCodeAt(i)) { return i; } } return len; } /** * @returns the length of the common suffix of the two strings. */ function commonSuffixLength(a, b) { var i, len = Math.min(a.length, b.length); var aLastIndex = a.length - 1; var bLastIndex = b.length - 1; for (i = 0; i < len; i++) { if (a.charCodeAt(aLastIndex - i) !== b.charCodeAt(bLastIndex - i)) { return i; } } return len; } // --- unicode // http://en.wikipedia.org/wiki/Surrogate_pair // Returns the code point starting at a specified index in a string // Code points U+0000 to U+D7FF and U+E000 to U+FFFF are represented on a single character // Code points U+10000 to U+10FFFF are represented on two consecutive characters //export function getUnicodePoint(str:string, index:number, len:number):number { // let chrCode = str.charCodeAt(index); // if (0xD800 <= chrCode && chrCode <= 0xDBFF && index + 1 < len) { // let nextChrCode = str.charCodeAt(index + 1); // if (0xDC00 <= nextChrCode && nextChrCode <= 0xDFFF) { // return (chrCode - 0xD800) << 10 + (nextChrCode - 0xDC00) + 0x10000; // } // } // return chrCode; //} function isHighSurrogate(charCode) { return (0xD800 <= charCode && charCode <= 0xDBFF); } function isLowSurrogate(charCode) { return (0xDC00 <= charCode && charCode <= 0xDFFF); } /** * Generated using https://github.com/alexandrudima/unicode-utils/blob/master/generate-rtl-test.js */ var CONTAINS_RTL = /(?:[\u05BE\u05C0\u05C3\u05C6\u05D0-\u05F4\u0608\u060B\u060D\u061B-\u064A\u066D-\u066F\u0671-\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u0710\u0712-\u072F\u074D-\u07A5\u07B1-\u07EA\u07F4\u07F5\u07FA-\u0815\u081A\u0824\u0828\u0830-\u0858\u085E-\u08BD\u200F\uFB1D\uFB1F-\uFB28\uFB2A-\uFD3D\uFD50-\uFDFC\uFE70-\uFEFC]|\uD802[\uDC00-\uDD1B\uDD20-\uDE00\uDE10-\uDE33\uDE40-\uDEE4\uDEEB-\uDF35\uDF40-\uDFFF]|\uD803[\uDC00-\uDCFF]|\uD83A[\uDC00-\uDCCF\uDD00-\uDD43\uDD50-\uDFFF]|\uD83B[\uDC00-\uDEBB])/; /** * Returns true if `str` contains any Unicode character that is classified as "R" or "AL". */ function containsRTL(str) { return CONTAINS_RTL.test(str); } /** * Generated using https://github.com/alexandrudima/unicode-utils/blob/master/generate-emoji-test.js */ var CONTAINS_EMOJI = /(?:[\u231A\u231B\u23F0\u23F3\u2600-\u27BF\u2B50\u2B55]|\uD83C[\uDDE6-\uDDFF\uDF00-\uDFFF]|\uD83D[\uDC00-\uDE4F\uDE80-\uDEF8]|\uD83E[\uDD00-\uDDE6])/; function containsEmoji(str) { return CONTAINS_EMOJI.test(str); } var IS_BASIC_ASCII = /^[\t\n\r\x20-\x7E]*$/; /** * Returns true if `str` contains only basic ASCII characters in the range 32 - 126 (including 32 and 126) or \n, \r, \t */ function isBasicASCII(str) { return IS_BASIC_ASCII.test(str); } function containsFullWidthCharacter(str) { for (var i = 0, len = str.length; i < len; i++) { if (isFullWidthCharacter(str.charCodeAt(i))) { return true; } } return false; } function isFullWidthCharacter(charCode) { // Do a cheap trick to better support wrapping of wide characters, treat them as 2 columns // http://jrgraphix.net/research/unicode_blocks.php // 2E80 — 2EFF CJK Radicals Supplement // 2F00 — 2FDF Kangxi Radicals // 2FF0 — 2FFF Ideographic Description Characters // 3000 — 303F CJK Symbols and Punctuation // 3040 — 309F Hiragana // 30A0 — 30FF Katakana // 3100 — 312F Bopomofo // 3130 — 318F Hangul Compatibility Jamo // 3190 — 319F Kanbun // 31A0 — 31BF Bopomofo Extended // 31F0 — 31FF Katakana Phonetic Extensions // 3200 — 32FF Enclosed CJK Letters and Months // 3300 — 33FF CJK Compatibility // 3400 — 4DBF CJK Unified Ideographs Extension A // 4DC0 — 4DFF Yijing Hexagram Symbols // 4E00 — 9FFF CJK Unified Ideographs // A000 — A48F Yi Syllables // A490 — A4CF Yi Radicals // AC00 — D7AF Hangul Syllables // [IGNORE] D800 — DB7F High Surrogates // [IGNORE] DB80 — DBFF High Private Use Surrogates // [IGNORE] DC00 — DFFF Low Surrogates // [IGNORE] E000 — F8FF Private Use Area // F900 — FAFF CJK Compatibility Ideographs // [IGNORE] FB00 — FB4F Alphabetic Presentation Forms // [IGNORE] FB50 — FDFF Arabic Presentation Forms-A // [IGNORE] FE00 — FE0F Variation Selectors // [IGNORE] FE20 — FE2F Combining Half Marks // [IGNORE] FE30 — FE4F CJK Compatibility Forms // [IGNORE] FE50 — FE6F Small Form Variants // [IGNORE] FE70 — FEFF Arabic Presentation Forms-B // FF00 — FFEF Halfwidth and Fullwidth Forms // [https://en.wikipedia.org/wiki/Halfwidth_and_fullwidth_forms] // of which FF01 - FF5E fullwidth ASCII of 21 to 7E // [IGNORE] and FF65 - FFDC halfwidth of Katakana and Hangul // [IGNORE] FFF0 — FFFF Specials charCode = +charCode; // @perf return ((charCode >= 0x2E80 && charCode <= 0xD7AF) || (charCode >= 0xF900 && charCode <= 0xFAFF) || (charCode >= 0xFF01 && charCode <= 0xFF5E)); } // -- UTF-8 BOM var UTF8_BOM_CHARACTER = String.fromCharCode(65279 /* UTF8_BOM */); function startsWithUTF8BOM(str) { return !!(str && str.length > 0 && str.charCodeAt(0) === 65279 /* UTF8_BOM */); } function safeBtoa(str) { return btoa(encodeURIComponent(str)); // we use encodeURIComponent because btoa fails for non Latin 1 values } function repeat(s, count) { var result = ''; for (var i = 0; i < count; i++) { result += s; } return result; } /***/ }), /***/ 848: /***/ (function(module, exports, __webpack_require__) { "use strict"; __webpack_require__(27); __webpack_require__(901); __webpack_require__(298); //# sourceMappingURL=css.js.map /***/ }), /***/ 849: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var _Pagination = _interopRequireDefault(__webpack_require__(911)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } var _default = _Pagination["default"]; exports["default"] = _default; //# sourceMappingURL=index.js.map /***/ }), /***/ 850: /***/ (function(module, exports, __webpack_require__) { var isFunction = __webpack_require__(831), isLength = __webpack_require__(828); /** * Checks if `value` is array-like. A value is considered array-like if it's * not a function and has a `value.length` that's an integer greater than or * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`. * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is array-like, else `false`. * @example * * _.isArrayLike([1, 2, 3]); * // => true * * _.isArrayLike(document.body.children); * // => true * * _.isArrayLike('abc'); * // => true * * _.isArrayLike(_.noop); * // => false */ function isArrayLike(value) { return value != null && isLength(value.length) && !isFunction(value); } module.exports = isArrayLike; /***/ }), /***/ 851: /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(module) {var root = __webpack_require__(162), stubFalse = __webpack_require__(945); /** Detect free variable `exports`. */ var freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports; /** Detect free variable `module`. */ var freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module; /** Detect the popular CommonJS extension `module.exports`. */ var moduleExports = freeModule && freeModule.exports === freeExports; /** Built-in value references. */ var Buffer = moduleExports ? root.Buffer : undefined; /* Built-in method references for those with the same name as other `lodash` methods. */ var nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined; /** * Checks if `value` is a buffer. * * @static * @memberOf _ * @since 4.3.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a buffer, else `false`. * @example * * _.isBuffer(new Buffer(2)); * // => true * * _.isBuffer(new Uint8Array(2)); * // => false */ var isBuffer = nativeIsBuffer || stubFalse; module.exports = isBuffer; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(300)(module))) /***/ }), /***/ 852: /***/ (function(module, exports, __webpack_require__) { var baseIsTypedArray = __webpack_require__(946), baseUnary = __webpack_require__(947), nodeUtil = __webpack_require__(948); /* Node.js helper references. */ var nodeIsTypedArray = nodeUtil && nodeUtil.isTypedArray; /** * Checks if `value` is classified as a typed array. * * @static * @memberOf _ * @since 3.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a typed array, else `false`. * @example * * _.isTypedArray(new Uint8Array); * // => true * * _.isTypedArray([]); * // => false */ var isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray; module.exports = isTypedArray; /***/ }), /***/ 853: /***/ (function(module, exports, __webpack_require__) { var getNative = __webpack_require__(816); var defineProperty = (function() { try { var func = getNative(Object, 'defineProperty'); func({}, '', {}); return func; } catch (e) {} }()); module.exports = defineProperty; /***/ }), /***/ 854: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Position; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A position in the editor. */ var Position = /** @class */ (function () { function Position(lineNumber, column) { this.lineNumber = lineNumber; this.column = column; } /** * Create a new postion from this position. * * @param newLineNumber new line number * @param newColumn new column */ Position.prototype.with = function (newLineNumber, newColumn) { if (newLineNumber === void 0) { newLineNumber = this.lineNumber; } if (newColumn === void 0) { newColumn = this.column; } if (newLineNumber === this.lineNumber && newColumn === this.column) { return this; } else { return new Position(newLineNumber, newColumn); } }; /** * Derive a new position from this position. * * @param deltaLineNumber line number delta * @param deltaColumn column delta */ Position.prototype.delta = function (deltaLineNumber, deltaColumn) { if (deltaLineNumber === void 0) { deltaLineNumber = 0; } if (deltaColumn === void 0) { deltaColumn = 0; } return this.with(this.lineNumber + deltaLineNumber, this.column + deltaColumn); }; /** * Test if this position equals other position */ Position.prototype.equals = function (other) { return Position.equals(this, other); }; /** * Test if position `a` equals position `b` */ Position.equals = function (a, b) { if (!a && !b) { return true; } return (!!a && !!b && a.lineNumber === b.lineNumber && a.column === b.column); }; /** * Test if this position is before other position. * If the two positions are equal, the result will be false. */ Position.prototype.isBefore = function (other) { return Position.isBefore(this, other); }; /** * Test if position `a` is before position `b`. * If the two positions are equal, the result will be false. */ Position.isBefore = function (a, b) { if (a.lineNumber < b.lineNumber) { return true; } if (b.lineNumber < a.lineNumber) { return false; } return a.column < b.column; }; /** * Test if this position is before other position. * If the two positions are equal, the result will be true. */ Position.prototype.isBeforeOrEqual = function (other) { return Position.isBeforeOrEqual(this, other); }; /** * Test if position `a` is before position `b`. * If the two positions are equal, the result will be true. */ Position.isBeforeOrEqual = function (a, b) { if (a.lineNumber < b.lineNumber) { return true; } if (b.lineNumber < a.lineNumber) { return false; } return a.column <= b.column; }; /** * A function that compares positions, useful for sorting */ Position.compare = function (a, b) { var aLineNumber = a.lineNumber | 0; var bLineNumber = b.lineNumber | 0; if (aLineNumber === bLineNumber) { var aColumn = a.column | 0; var bColumn = b.column | 0; return aColumn - bColumn; } return aLineNumber - bLineNumber; }; /** * Clone this position. */ Position.prototype.clone = function () { return new Position(this.lineNumber, this.column); }; /** * Convert to a human-readable representation. */ Position.prototype.toString = function () { return '(' + this.lineNumber + ',' + this.column + ')'; }; // --- /** * Create a `Position` from an `IPosition`. */ Position.lift = function (pos) { return new Position(pos.lineNumber, pos.column); }; /** * Test if `obj` is an `IPosition`. */ Position.isIPosition = function (obj) { return (obj && (typeof obj.lineNumber === 'number') && (typeof obj.column === 'number')); }; return Position; }()); /***/ }), /***/ 855: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return _util; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return IInstantiationService; }); /* harmony export (immutable) */ __webpack_exports__["c"] = createDecorator; /* harmony export (immutable) */ __webpack_exports__["d"] = optional; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // ------ internal util var _util; (function (_util) { _util.serviceIds = new Map(); _util.DI_TARGET = '$di$target'; _util.DI_DEPENDENCIES = '$di$dependencies'; function getServiceDependencies(ctor) { return ctor[_util.DI_DEPENDENCIES] || []; } _util.getServiceDependencies = getServiceDependencies; })(_util || (_util = {})); var IInstantiationService = createDecorator('instantiationService'); function storeServiceDependency(id, target, index, optional) { if (target[_util.DI_TARGET] === target) { target[_util.DI_DEPENDENCIES].push({ id: id, index: index, optional: optional }); } else { target[_util.DI_DEPENDENCIES] = [{ id: id, index: index, optional: optional }]; target[_util.DI_TARGET] = target; } } /** * A *only* valid way to create a {{ServiceIdentifier}}. */ function createDecorator(serviceId) { if (_util.serviceIds.has(serviceId)) { return _util.serviceIds.get(serviceId); } var id = function (target, key, index) { if (arguments.length !== 3) { throw new Error('@IServiceName-decorator can only be used to decorate a parameter'); } storeServiceDependency(id, target, index, false); }; id.toString = function () { return serviceId; }; _util.serviceIds.set(serviceId, id); return id; } /** * Mark a service dependency as optional. */ function optional(serviceIdentifier) { return function (target, key, index) { if (arguments.length !== 3) { throw new Error('@optional-decorator can only be used to decorate a parameter'); } storeServiceDependency(serviceIdentifier, target, index, true); }; } /***/ }), /***/ 856: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["m"] = clearNode; /* harmony export (immutable) */ __webpack_exports__["F"] = removeNode; /* harmony export (immutable) */ __webpack_exports__["B"] = isInDOM; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "x", function() { return hasClass; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return addClass; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return addClasses; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "D", function() { return removeClass; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "E", function() { return removeClasses; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "M", function() { return toggleClass; }); /* harmony export (immutable) */ __webpack_exports__["g"] = addDisposableListener; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "j", function() { return addStandardDisposableListener; }); /* harmony export (immutable) */ __webpack_exports__["h"] = addDisposableNonBubblingMouseOutListener; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "I", function() { return runAtThisOrScheduleAtNextAnimationFrame; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "K", function() { return scheduleAtNextAnimationFrame; }); /* harmony export (immutable) */ __webpack_exports__["i"] = addDisposableThrottledListener; /* unused harmony export getComputedStyle */ /* unused harmony export Dimension */ /* harmony export (immutable) */ __webpack_exports__["u"] = getTopLeftOffset; /* harmony export (immutable) */ __webpack_exports__["s"] = getDomNodePagePosition; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return StandardWindow; }); /* harmony export (immutable) */ __webpack_exports__["w"] = getTotalWidth; /* harmony export (immutable) */ __webpack_exports__["r"] = getContentWidth; /* harmony export (immutable) */ __webpack_exports__["q"] = getContentHeight; /* harmony export (immutable) */ __webpack_exports__["v"] = getTotalHeight; /* harmony export (immutable) */ __webpack_exports__["z"] = isAncestor; /* harmony export (immutable) */ __webpack_exports__["p"] = findParentWithClass; /* harmony export (immutable) */ __webpack_exports__["o"] = createStyleSheet; /* unused harmony export createCSSRule */ /* harmony export (immutable) */ __webpack_exports__["C"] = removeCSSRulesContainingSelector; /* harmony export (immutable) */ __webpack_exports__["A"] = isHTMLElement; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return EventType; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return EventHelper; }); /* harmony export (immutable) */ __webpack_exports__["J"] = saveParentsScrollTop; /* harmony export (immutable) */ __webpack_exports__["H"] = restoreParentsScrollTop; /* harmony export (immutable) */ __webpack_exports__["N"] = trackFocus; /* harmony export (immutable) */ __webpack_exports__["l"] = append; /* harmony export (immutable) */ __webpack_exports__["a"] = $; /* harmony export (immutable) */ __webpack_exports__["L"] = show; /* harmony export (immutable) */ __webpack_exports__["y"] = hide; /* harmony export (immutable) */ __webpack_exports__["G"] = removeTabIndexAndUpdateFocus; /* harmony export (immutable) */ __webpack_exports__["t"] = getElementsByTagName; /* harmony export (immutable) */ __webpack_exports__["n"] = computeScreenAwareSize; /* harmony export (immutable) */ __webpack_exports__["O"] = windowOpenNoOpener; /* harmony export (immutable) */ __webpack_exports__["k"] = animate; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__browser_js__ = __webpack_require__(1149); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__event_js__ = __webpack_require__(1357); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__keyboardEvent_js__ = __webpack_require__(1323); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__mouseEvent_js__ = __webpack_require__(1279); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__common_async_js__ = __webpack_require__(1021); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__common_errors_js__ = __webpack_require__(956); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__common_event_js__ = __webpack_require__(833); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__common_platform_js__ = __webpack_require__(894); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__common_arrays_js__ = __webpack_require__(1202); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })(); function clearNode(node) { while (node.firstChild) { node.removeChild(node.firstChild); } } function removeNode(node) { if (node.parentNode) { node.parentNode.removeChild(node); } } function isInDOM(node) { while (node) { if (node === document.body) { return true; } node = node.parentNode; } return false; } var _manualClassList = new /** @class */ (function () { function class_1() { } class_1.prototype._findClassName = function (node, className) { var classes = node.className; if (!classes) { this._lastStart = -1; return; } className = className.trim(); var classesLen = classes.length, classLen = className.length; if (classLen === 0) { this._lastStart = -1; return; } if (classesLen < classLen) { this._lastStart = -1; return; } if (classes === className) { this._lastStart = 0; this._lastEnd = classesLen; return; } var idx = -1, idxEnd; while ((idx = classes.indexOf(className, idx + 1)) >= 0) { idxEnd = idx + classLen; // a class that is followed by another class if ((idx === 0 || classes.charCodeAt(idx - 1) === 32 /* Space */) && classes.charCodeAt(idxEnd) === 32 /* Space */) { this._lastStart = idx; this._lastEnd = idxEnd + 1; return; } // last class if (idx > 0 && classes.charCodeAt(idx - 1) === 32 /* Space */ && idxEnd === classesLen) { this._lastStart = idx - 1; this._lastEnd = idxEnd; return; } // equal - duplicate of cmp above if (idx === 0 && idxEnd === classesLen) { this._lastStart = 0; this._lastEnd = idxEnd; return; } } this._lastStart = -1; }; class_1.prototype.hasClass = function (node, className) { this._findClassName(node, className); return this._lastStart !== -1; }; class_1.prototype.addClasses = function (node) { var _this = this; var classNames = []; for (var _i = 1; _i < arguments.length; _i++) { classNames[_i - 1] = arguments[_i]; } classNames.forEach(function (nameValue) { return nameValue.split(' ').forEach(function (name) { return _this.addClass(node, name); }); }); }; class_1.prototype.addClass = function (node, className) { if (!node.className) { // doesn't have it for sure node.className = className; } else { this._findClassName(node, className); // see if it's already there if (this._lastStart === -1) { node.className = node.className + ' ' + className; } } }; class_1.prototype.removeClass = function (node, className) { this._findClassName(node, className); if (this._lastStart === -1) { return; // Prevent styles invalidation if not necessary } else { node.className = node.className.substring(0, this._lastStart) + node.className.substring(this._lastEnd); } }; class_1.prototype.removeClasses = function (node) { var _this = this; var classNames = []; for (var _i = 1; _i < arguments.length; _i++) { classNames[_i - 1] = arguments[_i]; } classNames.forEach(function (nameValue) { return nameValue.split(' ').forEach(function (name) { return _this.removeClass(node, name); }); }); }; class_1.prototype.toggleClass = function (node, className, shouldHaveIt) { this._findClassName(node, className); if (this._lastStart !== -1 && (shouldHaveIt === undefined || !shouldHaveIt)) { this.removeClass(node, className); } if (this._lastStart === -1 && (shouldHaveIt === undefined || shouldHaveIt)) { this.addClass(node, className); } }; return class_1; }()); var _nativeClassList = new /** @class */ (function () { function class_2() { } class_2.prototype.hasClass = function (node, className) { return Boolean(className) && node.classList && node.classList.contains(className); }; class_2.prototype.addClasses = function (node) { var _this = this; var classNames = []; for (var _i = 1; _i < arguments.length; _i++) { classNames[_i - 1] = arguments[_i]; } classNames.forEach(function (nameValue) { return nameValue.split(' ').forEach(function (name) { return _this.addClass(node, name); }); }); }; class_2.prototype.addClass = function (node, className) { if (className && node.classList) { node.classList.add(className); } }; class_2.prototype.removeClass = function (node, className) { if (className && node.classList) { node.classList.remove(className); } }; class_2.prototype.removeClasses = function (node) { var _this = this; var classNames = []; for (var _i = 1; _i < arguments.length; _i++) { classNames[_i - 1] = arguments[_i]; } classNames.forEach(function (nameValue) { return nameValue.split(' ').forEach(function (name) { return _this.removeClass(node, name); }); }); }; class_2.prototype.toggleClass = function (node, className, shouldHaveIt) { if (node.classList) { node.classList.toggle(className, shouldHaveIt); } }; return class_2; }()); // In IE11 there is only partial support for `classList` which makes us keep our // custom implementation. Otherwise use the native implementation, see: http://caniuse.com/#search=classlist var _classList = __WEBPACK_IMPORTED_MODULE_0__browser_js__["j" /* isIE */] ? _manualClassList : _nativeClassList; var hasClass = _classList.hasClass.bind(_classList); var addClass = _classList.addClass.bind(_classList); var addClasses = _classList.addClasses.bind(_classList); var removeClass = _classList.removeClass.bind(_classList); var removeClasses = _classList.removeClasses.bind(_classList); var toggleClass = _classList.toggleClass.bind(_classList); var DomListener = /** @class */ (function () { function DomListener(node, type, handler, useCapture) { this._node = node; this._type = type; this._handler = handler; this._useCapture = (useCapture || false); this._node.addEventListener(this._type, this._handler, this._useCapture); } DomListener.prototype.dispose = function () { if (!this._handler) { // Already disposed return; } this._node.removeEventListener(this._type, this._handler, this._useCapture); // Prevent leakers from holding on to the dom or handler func this._node = null; this._handler = null; }; return DomListener; }()); function addDisposableListener(node, type, handler, useCapture) { return new DomListener(node, type, handler, useCapture); } function _wrapAsStandardMouseEvent(handler) { return function (e) { return handler(new __WEBPACK_IMPORTED_MODULE_3__mouseEvent_js__["a" /* StandardMouseEvent */](e)); }; } function _wrapAsStandardKeyboardEvent(handler) { return function (e) { return handler(new __WEBPACK_IMPORTED_MODULE_2__keyboardEvent_js__["a" /* StandardKeyboardEvent */](e)); }; } var addStandardDisposableListener = function addStandardDisposableListener(node, type, handler, useCapture) { var wrapHandler = handler; if (type === 'click' || type === 'mousedown') { wrapHandler = _wrapAsStandardMouseEvent(handler); } else if (type === 'keydown' || type === 'keypress' || type === 'keyup') { wrapHandler = _wrapAsStandardKeyboardEvent(handler); } return addDisposableListener(node, type, wrapHandler, useCapture); }; function addDisposableNonBubblingMouseOutListener(node, handler) { return addDisposableListener(node, 'mouseout', function (e) { // Mouse out bubbles, so this is an attempt to ignore faux mouse outs coming from children elements var toElement = (e.relatedTarget || e.target); while (toElement && toElement !== node) { toElement = toElement.parentNode; } if (toElement === node) { return; } handler(e); }); } var _animationFrame = null; function doRequestAnimationFrame(callback) { if (!_animationFrame) { var emulatedRequestAnimationFrame = function (callback) { return setTimeout(function () { return callback(new Date().getTime()); }, 0); }; _animationFrame = (self.requestAnimationFrame || self.msRequestAnimationFrame || self.webkitRequestAnimationFrame || self.mozRequestAnimationFrame || self.oRequestAnimationFrame || emulatedRequestAnimationFrame); } return _animationFrame.call(self, callback); } /** * Schedule a callback to be run at the next animation frame. * This allows multiple parties to register callbacks that should run at the next animation frame. * If currently in an animation frame, `runner` will be executed immediately. * @return token that can be used to cancel the scheduled runner (only if `runner` was not executed immediately). */ var runAtThisOrScheduleAtNextAnimationFrame; /** * Schedule a callback to be run at the next animation frame. * This allows multiple parties to register callbacks that should run at the next animation frame. * If currently in an animation frame, `runner` will be executed at the next animation frame. * @return token that can be used to cancel the scheduled runner. */ var scheduleAtNextAnimationFrame; var AnimationFrameQueueItem = /** @class */ (function () { function AnimationFrameQueueItem(runner, priority) { if (priority === void 0) { priority = 0; } this._runner = runner; this.priority = priority; this._canceled = false; } AnimationFrameQueueItem.prototype.dispose = function () { this._canceled = true; }; AnimationFrameQueueItem.prototype.execute = function () { if (this._canceled) { return; } try { this._runner(); } catch (e) { Object(__WEBPACK_IMPORTED_MODULE_5__common_errors_js__["e" /* onUnexpectedError */])(e); } }; // Sort by priority (largest to lowest) AnimationFrameQueueItem.sort = function (a, b) { return b.priority - a.priority; }; return AnimationFrameQueueItem; }()); (function () { /** * The runners scheduled at the next animation frame */ var NEXT_QUEUE = []; /** * The runners scheduled at the current animation frame */ var CURRENT_QUEUE = null; /** * A flag to keep track if the native requestAnimationFrame was already called */ var animFrameRequested = false; /** * A flag to indicate if currently handling a native requestAnimationFrame callback */ var inAnimationFrameRunner = false; var animationFrameRunner = function () { animFrameRequested = false; CURRENT_QUEUE = NEXT_QUEUE; NEXT_QUEUE = []; inAnimationFrameRunner = true; while (CURRENT_QUEUE.length > 0) { CURRENT_QUEUE.sort(AnimationFrameQueueItem.sort); var top_1 = CURRENT_QUEUE.shift(); top_1.execute(); } inAnimationFrameRunner = false; }; scheduleAtNextAnimationFrame = function (runner, priority) { if (priority === void 0) { priority = 0; } var item = new AnimationFrameQueueItem(runner, priority); NEXT_QUEUE.push(item); if (!animFrameRequested) { animFrameRequested = true; doRequestAnimationFrame(animationFrameRunner); } return item; }; runAtThisOrScheduleAtNextAnimationFrame = function (runner, priority) { if (inAnimationFrameRunner) { var item = new AnimationFrameQueueItem(runner, priority); CURRENT_QUEUE.push(item); return item; } else { return scheduleAtNextAnimationFrame(runner, priority); } }; })(); var MINIMUM_TIME_MS = 16; var DEFAULT_EVENT_MERGER = function (lastEvent, currentEvent) { return currentEvent; }; var TimeoutThrottledDomListener = /** @class */ (function (_super) { __extends(TimeoutThrottledDomListener, _super); function TimeoutThrottledDomListener(node, type, handler, eventMerger, minimumTimeMs) { if (eventMerger === void 0) { eventMerger = DEFAULT_EVENT_MERGER; } if (minimumTimeMs === void 0) { minimumTimeMs = MINIMUM_TIME_MS; } var _this = _super.call(this) || this; var lastEvent = null; var lastHandlerTime = 0; var timeout = _this._register(new __WEBPACK_IMPORTED_MODULE_4__common_async_js__["d" /* TimeoutTimer */]()); var invokeHandler = function () { lastHandlerTime = (new Date()).getTime(); handler(lastEvent); lastEvent = null; }; _this._register(addDisposableListener(node, type, function (e) { lastEvent = eventMerger(lastEvent, e); var elapsedTime = (new Date()).getTime() - lastHandlerTime; if (elapsedTime >= minimumTimeMs) { timeout.cancel(); invokeHandler(); } else { timeout.setIfNotSet(invokeHandler, minimumTimeMs - elapsedTime); } })); return _this; } return TimeoutThrottledDomListener; }(__WEBPACK_IMPORTED_MODULE_7__common_lifecycle_js__["a" /* Disposable */])); function addDisposableThrottledListener(node, type, handler, eventMerger, minimumTimeMs) { return new TimeoutThrottledDomListener(node, type, handler, eventMerger, minimumTimeMs); } function getComputedStyle(el) { return document.defaultView.getComputedStyle(el, null); } // Adapted from WinJS // Converts a CSS positioning string for the specified element to pixels. var convertToPixels = (function () { return function (element, value) { return parseFloat(value) || 0; }; })(); function getDimension(element, cssPropertyName, jsPropertyName) { var computedStyle = getComputedStyle(element); var value = '0'; if (computedStyle) { if (computedStyle.getPropertyValue) { value = computedStyle.getPropertyValue(cssPropertyName); } else { // IE8 value = computedStyle.getAttribute(jsPropertyName); } } return convertToPixels(element, value); } var sizeUtils = { getBorderLeftWidth: function (element) { return getDimension(element, 'border-left-width', 'borderLeftWidth'); }, getBorderRightWidth: function (element) { return getDimension(element, 'border-right-width', 'borderRightWidth'); }, getBorderTopWidth: function (element) { return getDimension(element, 'border-top-width', 'borderTopWidth'); }, getBorderBottomWidth: function (element) { return getDimension(element, 'border-bottom-width', 'borderBottomWidth'); }, getPaddingLeft: function (element) { return getDimension(element, 'padding-left', 'paddingLeft'); }, getPaddingRight: function (element) { return getDimension(element, 'padding-right', 'paddingRight'); }, getPaddingTop: function (element) { return getDimension(element, 'padding-top', 'paddingTop'); }, getPaddingBottom: function (element) { return getDimension(element, 'padding-bottom', 'paddingBottom'); }, getMarginLeft: function (element) { return getDimension(element, 'margin-left', 'marginLeft'); }, getMarginTop: function (element) { return getDimension(element, 'margin-top', 'marginTop'); }, getMarginRight: function (element) { return getDimension(element, 'margin-right', 'marginRight'); }, getMarginBottom: function (element) { return getDimension(element, 'margin-bottom', 'marginBottom'); }, __commaSentinel: false }; // ---------------------------------------------------------------------------------------- // Position & Dimension var Dimension = /** @class */ (function () { function Dimension(width, height) { this.width = width; this.height = height; } return Dimension; }()); function getTopLeftOffset(element) { // Adapted from WinJS.Utilities.getPosition // and added borders to the mix var offsetParent = element.offsetParent, top = element.offsetTop, left = element.offsetLeft; while ((element = element.parentNode) !== null && element !== document.body && element !== document.documentElement) { top -= element.scrollTop; var c = getComputedStyle(element); if (c) { left -= c.direction !== 'rtl' ? element.scrollLeft : -element.scrollLeft; } if (element === offsetParent) { left += sizeUtils.getBorderLeftWidth(element); top += sizeUtils.getBorderTopWidth(element); top += element.offsetTop; left += element.offsetLeft; offsetParent = element.offsetParent; } } return { left: left, top: top }; } /** * Returns the position of a dom node relative to the entire page. */ function getDomNodePagePosition(domNode) { var bb = domNode.getBoundingClientRect(); return { left: bb.left + StandardWindow.scrollX, top: bb.top + StandardWindow.scrollY, width: bb.width, height: bb.height }; } var StandardWindow = new /** @class */ (function () { function class_3() { } Object.defineProperty(class_3.prototype, "scrollX", { get: function () { if (typeof window.scrollX === 'number') { // modern browsers return window.scrollX; } else { return document.body.scrollLeft + document.documentElement.scrollLeft; } }, enumerable: true, configurable: true }); Object.defineProperty(class_3.prototype, "scrollY", { get: function () { if (typeof window.scrollY === 'number') { // modern browsers return window.scrollY; } else { return document.body.scrollTop + document.documentElement.scrollTop; } }, enumerable: true, configurable: true }); return class_3; }()); // Adapted from WinJS // Gets the width of the element, including margins. function getTotalWidth(element) { var margin = sizeUtils.getMarginLeft(element) + sizeUtils.getMarginRight(element); return element.offsetWidth + margin; } function getContentWidth(element) { var border = sizeUtils.getBorderLeftWidth(element) + sizeUtils.getBorderRightWidth(element); var padding = sizeUtils.getPaddingLeft(element) + sizeUtils.getPaddingRight(element); return element.offsetWidth - border - padding; } // Adapted from WinJS // Gets the height of the content of the specified element. The content height does not include borders or padding. function getContentHeight(element) { var border = sizeUtils.getBorderTopWidth(element) + sizeUtils.getBorderBottomWidth(element); var padding = sizeUtils.getPaddingTop(element) + sizeUtils.getPaddingBottom(element); return element.offsetHeight - border - padding; } // Adapted from WinJS // Gets the height of the element, including its margins. function getTotalHeight(element) { var margin = sizeUtils.getMarginTop(element) + sizeUtils.getMarginBottom(element); return element.offsetHeight + margin; } // ---------------------------------------------------------------------------------------- function isAncestor(testChild, testAncestor) { while (testChild) { if (testChild === testAncestor) { return true; } testChild = testChild.parentNode; } return false; } function findParentWithClass(node, clazz, stopAtClazzOrNode) { while (node) { if (hasClass(node, clazz)) { return node; } if (stopAtClazzOrNode) { if (typeof stopAtClazzOrNode === 'string') { if (hasClass(node, stopAtClazzOrNode)) { return null; } } else { if (node === stopAtClazzOrNode) { return null; } } } node = node.parentNode; } return null; } function createStyleSheet(container) { if (container === void 0) { container = document.getElementsByTagName('head')[0]; } var style = document.createElement('style'); style.type = 'text/css'; style.media = 'screen'; container.appendChild(style); return style; } var _sharedStyleSheet = null; function getSharedStyleSheet() { if (!_sharedStyleSheet) { _sharedStyleSheet = createStyleSheet(); } return _sharedStyleSheet; } function getDynamicStyleSheetRules(style) { if (style && style.sheet && style.sheet.rules) { // Chrome, IE return style.sheet.rules; } if (style && style.sheet && style.sheet.cssRules) { // FF return style.sheet.cssRules; } return []; } function createCSSRule(selector, cssText, style) { if (style === void 0) { style = getSharedStyleSheet(); } if (!style || !cssText) { return; } style.sheet.insertRule(selector + '{' + cssText + '}', 0); } function removeCSSRulesContainingSelector(ruleName, style) { if (style === void 0) { style = getSharedStyleSheet(); } if (!style) { return; } var rules = getDynamicStyleSheetRules(style); var toDelete = []; for (var i = 0; i < rules.length; i++) { var rule = rules[i]; if (rule.selectorText.indexOf(ruleName) !== -1) { toDelete.push(i); } } for (var i = toDelete.length - 1; i >= 0; i--) { style.sheet.deleteRule(toDelete[i]); } } function isHTMLElement(o) { if (typeof HTMLElement === 'object') { return o instanceof HTMLElement; } return o && typeof o === 'object' && o.nodeType === 1 && typeof o.nodeName === 'string'; } var EventType = { // Mouse CLICK: 'click', DBLCLICK: 'dblclick', MOUSE_UP: 'mouseup', MOUSE_DOWN: 'mousedown', MOUSE_OVER: 'mouseover', MOUSE_MOVE: 'mousemove', MOUSE_OUT: 'mouseout', MOUSE_ENTER: 'mouseenter', MOUSE_LEAVE: 'mouseleave', CONTEXT_MENU: 'contextmenu', WHEEL: 'wheel', // Keyboard KEY_DOWN: 'keydown', KEY_PRESS: 'keypress', KEY_UP: 'keyup', // HTML Document LOAD: 'load', UNLOAD: 'unload', ABORT: 'abort', ERROR: 'error', RESIZE: 'resize', SCROLL: 'scroll', // Form SELECT: 'select', CHANGE: 'change', SUBMIT: 'submit', RESET: 'reset', FOCUS: 'focus', FOCUS_IN: 'focusin', FOCUS_OUT: 'focusout', BLUR: 'blur', INPUT: 'input', // Local Storage STORAGE: 'storage', // Drag DRAG_START: 'dragstart', DRAG: 'drag', DRAG_ENTER: 'dragenter', DRAG_LEAVE: 'dragleave', DRAG_OVER: 'dragover', DROP: 'drop', DRAG_END: 'dragend', // Animation ANIMATION_START: __WEBPACK_IMPORTED_MODULE_0__browser_js__["m" /* isWebKit */] ? 'webkitAnimationStart' : 'animationstart', ANIMATION_END: __WEBPACK_IMPORTED_MODULE_0__browser_js__["m" /* isWebKit */] ? 'webkitAnimationEnd' : 'animationend', ANIMATION_ITERATION: __WEBPACK_IMPORTED_MODULE_0__browser_js__["m" /* isWebKit */] ? 'webkitAnimationIteration' : 'animationiteration' }; var EventHelper = { stop: function (e, cancelBubble) { if (e.preventDefault) { e.preventDefault(); } else { // IE8 e.returnValue = false; } if (cancelBubble) { if (e.stopPropagation) { e.stopPropagation(); } else { // IE8 e.cancelBubble = true; } } } }; function saveParentsScrollTop(node) { var r = []; for (var i = 0; node && node.nodeType === node.ELEMENT_NODE; i++) { r[i] = node.scrollTop; node = node.parentNode; } return r; } function restoreParentsScrollTop(node, state) { for (var i = 0; node && node.nodeType === node.ELEMENT_NODE; i++) { if (node.scrollTop !== state[i]) { node.scrollTop = state[i]; } node = node.parentNode; } } var FocusTracker = /** @class */ (function () { function FocusTracker(element) { var _this = this; this._onDidFocus = new __WEBPACK_IMPORTED_MODULE_6__common_event_js__["a" /* Emitter */](); this.onDidFocus = this._onDidFocus.event; this._onDidBlur = new __WEBPACK_IMPORTED_MODULE_6__common_event_js__["a" /* Emitter */](); this.onDidBlur = this._onDidBlur.event; this.disposables = []; var hasFocus = isAncestor(document.activeElement, element); var loosingFocus = false; var onFocus = function () { loosingFocus = false; if (!hasFocus) { hasFocus = true; _this._onDidFocus.fire(); } }; var onBlur = function () { if (hasFocus) { loosingFocus = true; window.setTimeout(function () { if (loosingFocus) { loosingFocus = false; hasFocus = false; _this._onDidBlur.fire(); } }, 0); } }; Object(__WEBPACK_IMPORTED_MODULE_1__event_js__["a" /* domEvent */])(element, EventType.FOCUS, true)(onFocus, null, this.disposables); Object(__WEBPACK_IMPORTED_MODULE_1__event_js__["a" /* domEvent */])(element, EventType.BLUR, true)(onBlur, null, this.disposables); } FocusTracker.prototype.dispose = function () { this.disposables = Object(__WEBPACK_IMPORTED_MODULE_7__common_lifecycle_js__["d" /* dispose */])(this.disposables); this._onDidFocus.dispose(); this._onDidBlur.dispose(); }; return FocusTracker; }()); function trackFocus(element) { return new FocusTracker(element); } function append(parent) { var children = []; for (var _i = 1; _i < arguments.length; _i++) { children[_i - 1] = arguments[_i]; } children.forEach(function (child) { return parent.appendChild(child); }); return children[children.length - 1]; } var SELECTOR_REGEX = /([\w\-]+)?(#([\w\-]+))?((.([\w\-]+))*)/; function $(description, attrs) { var children = []; for (var _i = 2; _i < arguments.length; _i++) { children[_i - 2] = arguments[_i]; } var match = SELECTOR_REGEX.exec(description); if (!match) { throw new Error('Bad use of emmet'); } var result = document.createElement(match[1] || 'div'); if (match[3]) { result.id = match[3]; } if (match[4]) { result.className = match[4].replace(/\./g, ' ').trim(); } attrs = attrs || {}; Object.keys(attrs).forEach(function (name) { var value = attrs[name]; if (/^on\w+$/.test(name)) { result[name] = value; } else if (name === 'selected') { if (value) { result.setAttribute(name, 'true'); } } else { result.setAttribute(name, value); } }); Object(__WEBPACK_IMPORTED_MODULE_9__common_arrays_js__["b" /* coalesce */])(children) .forEach(function (child) { if (child instanceof Node) { result.appendChild(child); } else { result.appendChild(document.createTextNode(child)); } }); return result; } function show() { var elements = []; for (var _i = 0; _i < arguments.length; _i++) { elements[_i] = arguments[_i]; } for (var _a = 0, elements_1 = elements; _a < elements_1.length; _a++) { var element = elements_1[_a]; element.style.display = ''; element.removeAttribute('aria-hidden'); } } function hide() { var elements = []; for (var _i = 0; _i < arguments.length; _i++) { elements[_i] = arguments[_i]; } for (var _a = 0, elements_2 = elements; _a < elements_2.length; _a++) { var element = elements_2[_a]; element.style.display = 'none'; element.setAttribute('aria-hidden', 'true'); } } function findParentWithAttribute(node, attribute) { while (node) { if (node instanceof HTMLElement && node.hasAttribute(attribute)) { return node; } node = node.parentNode; } return null; } function removeTabIndexAndUpdateFocus(node) { if (!node || !node.hasAttribute('tabIndex')) { return; } // If we are the currently focused element and tabIndex is removed, // standard DOM behavior is to move focus to the <body> element. We // typically never want that, rather put focus to the closest element // in the hierarchy of the parent DOM nodes. if (document.activeElement === node) { var parentFocusable = findParentWithAttribute(node.parentElement, 'tabIndex'); if (parentFocusable) { parentFocusable.focus(); } } node.removeAttribute('tabindex'); } function getElementsByTagName(tag) { return Array.prototype.slice.call(document.getElementsByTagName(tag), 0); } /** * Find a value usable for a dom node size such that the likelihood that it would be * displayed with constant screen pixels size is as high as possible. * * e.g. We would desire for the cursors to be 2px (CSS px) wide. Under a devicePixelRatio * of 1.25, the cursor will be 2.5 screen pixels wide. Depending on how the dom node aligns/"snaps" * with the screen pixels, it will sometimes be rendered with 2 screen pixels, and sometimes with 3 screen pixels. */ function computeScreenAwareSize(cssPx) { var screenPx = window.devicePixelRatio * cssPx; return Math.max(1, Math.floor(screenPx)) / window.devicePixelRatio; } /** * See https://github.com/Microsoft/monaco-editor/issues/601 * To protect against malicious code in the linked site, particularly phishing attempts, * the window.opener should be set to null to prevent the linked site from having access * to change the location of the current page. * See https://mathiasbynens.github.io/rel-noopener/ */ function windowOpenNoOpener(url) { if (__WEBPACK_IMPORTED_MODULE_8__common_platform_js__["e" /* isNative */] || __WEBPACK_IMPORTED_MODULE_0__browser_js__["h" /* isEdgeWebView */]) { // In VSCode, window.open() always returns null... // The same is true for a WebView (see https://github.com/Microsoft/monaco-editor/issues/628) window.open(url); } else { var newTab = window.open(); if (newTab) { newTab.opener = null; newTab.location.href = url; } } } function animate(fn) { var step = function () { fn(); stepDisposable = scheduleAtNextAnimationFrame(step); }; var stepDisposable = scheduleAtNextAnimationFrame(step); return Object(__WEBPACK_IMPORTED_MODULE_7__common_lifecycle_js__["e" /* toDisposable */])(function () { return stepDisposable.dispose(); }); } /***/ }), /***/ 857: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = exports.SiderContext = void 0; var _createReactContext = _interopRequireDefault(__webpack_require__(294)); var React = _interopRequireWildcard(__webpack_require__(0)); var _reactLifecyclesCompat = __webpack_require__(7); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _omit = _interopRequireDefault(__webpack_require__(43)); var _layout = __webpack_require__(933); var _configProvider = __webpack_require__(9); var _icon = _interopRequireDefault(__webpack_require__(25)); var _isNumeric = _interopRequireDefault(__webpack_require__(939)); function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; // matchMedia polyfill for // https://github.com/WickyNilliams/enquire.js/issues/82 // TODO: Will be removed in antd 4.0 because we will no longer support ie9 if (typeof window !== 'undefined') { var matchMediaPolyfill = function matchMediaPolyfill(mediaQuery) { return { media: mediaQuery, matches: false, addListener: function addListener() {}, removeListener: function removeListener() {} }; }; // ref: https://github.com/ant-design/ant-design/issues/18774 if (!window.matchMedia) window.matchMedia = matchMediaPolyfill; } var dimensionMaxMap = { xs: '479.98px', sm: '575.98px', md: '767.98px', lg: '991.98px', xl: '1199.98px', xxl: '1599.98px' }; var SiderContext = (0, _createReactContext["default"])({}); exports.SiderContext = SiderContext; var generateId = function () { var i = 0; return function () { var prefix = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ''; i += 1; return "".concat(prefix).concat(i); }; }(); var InternalSider = /*#__PURE__*/ function (_React$Component) { _inherits(InternalSider, _React$Component); function InternalSider(props) { var _this; _classCallCheck(this, InternalSider); _this = _possibleConstructorReturn(this, _getPrototypeOf(InternalSider).call(this, props)); _this.responsiveHandler = function (mql) { _this.setState({ below: mql.matches }); var onBreakpoint = _this.props.onBreakpoint; if (onBreakpoint) { onBreakpoint(mql.matches); } if (_this.state.collapsed !== mql.matches) { _this.setCollapsed(mql.matches, 'responsive'); } }; _this.setCollapsed = function (collapsed, type) { if (!('collapsed' in _this.props)) { _this.setState({ collapsed: collapsed }); } var onCollapse = _this.props.onCollapse; if (onCollapse) { onCollapse(collapsed, type); } }; _this.toggle = function () { var collapsed = !_this.state.collapsed; _this.setCollapsed(collapsed, 'clickTrigger'); }; _this.belowShowChange = function () { _this.setState(function (_ref) { var belowShow = _ref.belowShow; return { belowShow: !belowShow }; }); }; _this.renderSider = function (_ref2) { var _classNames; var getPrefixCls = _ref2.getPrefixCls; var _a = _this.props, customizePrefixCls = _a.prefixCls, className = _a.className, theme = _a.theme, collapsible = _a.collapsible, reverseArrow = _a.reverseArrow, trigger = _a.trigger, style = _a.style, width = _a.width, collapsedWidth = _a.collapsedWidth, zeroWidthTriggerStyle = _a.zeroWidthTriggerStyle, others = __rest(_a, ["prefixCls", "className", "theme", "collapsible", "reverseArrow", "trigger", "style", "width", "collapsedWidth", "zeroWidthTriggerStyle"]); var prefixCls = getPrefixCls('layout-sider', customizePrefixCls); var divProps = (0, _omit["default"])(others, ['collapsed', 'defaultCollapsed', 'onCollapse', 'breakpoint', 'onBreakpoint', 'siderHook', 'zeroWidthTriggerStyle']); var rawWidth = _this.state.collapsed ? collapsedWidth : width; // use "px" as fallback unit for width var siderWidth = (0, _isNumeric["default"])(rawWidth) ? "".concat(rawWidth, "px") : String(rawWidth); // special trigger when collapsedWidth == 0 var zeroWidthTrigger = parseFloat(String(collapsedWidth || 0)) === 0 ? React.createElement("span", { onClick: _this.toggle, className: "".concat(prefixCls, "-zero-width-trigger ").concat(prefixCls, "-zero-width-trigger-").concat(reverseArrow ? 'right' : 'left'), style: zeroWidthTriggerStyle }, React.createElement(_icon["default"], { type: "bars" })) : null; var iconObj = { expanded: reverseArrow ? React.createElement(_icon["default"], { type: "right" }) : React.createElement(_icon["default"], { type: "left" }), collapsed: reverseArrow ? React.createElement(_icon["default"], { type: "left" }) : React.createElement(_icon["default"], { type: "right" }) }; var status = _this.state.collapsed ? 'collapsed' : 'expanded'; var defaultTrigger = iconObj[status]; var triggerDom = trigger !== null ? zeroWidthTrigger || React.createElement("div", { className: "".concat(prefixCls, "-trigger"), onClick: _this.toggle, style: { width: siderWidth } }, trigger || defaultTrigger) : null; var divStyle = _extends(_extends({}, style), { flex: "0 0 ".concat(siderWidth), maxWidth: siderWidth, minWidth: siderWidth, width: siderWidth }); var siderCls = (0, _classnames["default"])(className, prefixCls, "".concat(prefixCls, "-").concat(theme), (_classNames = {}, _defineProperty(_classNames, "".concat(prefixCls, "-collapsed"), !!_this.state.collapsed), _defineProperty(_classNames, "".concat(prefixCls, "-has-trigger"), collapsible && trigger !== null && !zeroWidthTrigger), _defineProperty(_classNames, "".concat(prefixCls, "-below"), !!_this.state.below), _defineProperty(_classNames, "".concat(prefixCls, "-zero-width"), parseFloat(siderWidth) === 0), _classNames)); return React.createElement("aside", _extends({ className: siderCls }, divProps, { style: divStyle }), React.createElement("div", { className: "".concat(prefixCls, "-children") }, _this.props.children), collapsible || _this.state.below && zeroWidthTrigger ? triggerDom : null); }; _this.uniqueId = generateId('ant-sider-'); var matchMedia; if (typeof window !== 'undefined') { matchMedia = window.matchMedia; } if (matchMedia && props.breakpoint && props.breakpoint in dimensionMaxMap) { _this.mql = matchMedia("(max-width: ".concat(dimensionMaxMap[props.breakpoint], ")")); } var collapsed; if ('collapsed' in props) { collapsed = props.collapsed; } else { collapsed = props.defaultCollapsed; } _this.state = { collapsed: collapsed, below: false }; return _this; } _createClass(InternalSider, [{ key: "componentDidMount", value: function componentDidMount() { if (this.mql) { this.mql.addListener(this.responsiveHandler); this.responsiveHandler(this.mql); } if (this.props.siderHook) { this.props.siderHook.addSider(this.uniqueId); } } }, { key: "componentWillUnmount", value: function componentWillUnmount() { if (this.mql) { this.mql.removeListener(this.responsiveHandler); } if (this.props.siderHook) { this.props.siderHook.removeSider(this.uniqueId); } } }, { key: "render", value: function render() { var collapsed = this.state.collapsed; var collapsedWidth = this.props.collapsedWidth; return React.createElement(SiderContext.Provider, { value: { siderCollapsed: collapsed, collapsedWidth: collapsedWidth } }, React.createElement(_configProvider.ConfigConsumer, null, this.renderSider)); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(nextProps) { if ('collapsed' in nextProps) { return { collapsed: nextProps.collapsed }; } return null; } }]); return InternalSider; }(React.Component); InternalSider.defaultProps = { collapsible: false, defaultCollapsed: false, reverseArrow: false, width: 200, collapsedWidth: 80, style: {}, theme: 'dark' }; (0, _reactLifecyclesCompat.polyfill)(InternalSider); // eslint-disable-next-line react/prefer-stateless-function var Sider = /*#__PURE__*/ function (_React$Component2) { _inherits(Sider, _React$Component2); function Sider() { _classCallCheck(this, Sider); return _possibleConstructorReturn(this, _getPrototypeOf(Sider).apply(this, arguments)); } _createClass(Sider, [{ key: "render", value: function render() { var _this2 = this; return React.createElement(_layout.LayoutContext.Consumer, null, function (context) { return React.createElement(InternalSider, _extends({}, context, _this2.props)); }); } }]); return Sider; }(React.Component); exports["default"] = Sider; //# sourceMappingURL=Sider.js.map /***/ }), /***/ 860: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Pagination__ = __webpack_require__(903); /* harmony reexport (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return __WEBPACK_IMPORTED_MODULE_0__Pagination__["a"]; }); /***/ }), /***/ 862: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _rcMenu = _interopRequireWildcard(__webpack_require__(167)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _omit = _interopRequireDefault(__webpack_require__(43)); var _reactLifecyclesCompat = __webpack_require__(7); var _SubMenu = _interopRequireDefault(__webpack_require__(954)); var _MenuItem = _interopRequireDefault(__webpack_require__(955)); var _configProvider = __webpack_require__(9); var _warning = _interopRequireDefault(__webpack_require__(40)); var _Sider = __webpack_require__(857); var _raf = _interopRequireDefault(__webpack_require__(175)); var _motion = _interopRequireDefault(__webpack_require__(929)); var _MenuContext = _interopRequireDefault(__webpack_require__(838)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var InternalMenu = /*#__PURE__*/ function (_React$Component) { _inherits(InternalMenu, _React$Component); function InternalMenu(props) { var _this; _classCallCheck(this, InternalMenu); _this = _possibleConstructorReturn(this, _getPrototypeOf(InternalMenu).call(this, props)); // Restore vertical mode when menu is collapsed responsively when mounted // https://github.com/ant-design/ant-design/issues/13104 // TODO: not a perfect solution, looking a new way to avoid setting switchingModeFromInline in this situation _this.handleMouseEnter = function (e) { _this.restoreModeVerticalFromInline(); var onMouseEnter = _this.props.onMouseEnter; if (onMouseEnter) { onMouseEnter(e); } }; _this.handleTransitionEnd = function (e) { // when inlineCollapsed menu width animation finished // https://github.com/ant-design/ant-design/issues/12864 var widthCollapsed = e.propertyName === 'width' && e.target === e.currentTarget; // Fix SVGElement e.target.className.indexOf is not a function // https://github.com/ant-design/ant-design/issues/15699 var className = e.target.className; // SVGAnimatedString.animVal should be identical to SVGAnimatedString.baseVal, unless during an animation. var classNameValue = Object.prototype.toString.call(className) === '[object SVGAnimatedString]' ? className.animVal : className; // Fix for <Menu style={{ width: '100%' }} />, the width transition won't trigger when menu is collapsed // https://github.com/ant-design/ant-design-pro/issues/2783 var iconScaled = e.propertyName === 'font-size' && classNameValue.indexOf('anticon') >= 0; if (widthCollapsed || iconScaled) { _this.restoreModeVerticalFromInline(); } }; _this.handleClick = function (e) { _this.handleOpenChange([]); var onClick = _this.props.onClick; if (onClick) { onClick(e); } }; _this.handleOpenChange = function (openKeys) { _this.setOpenKeys(openKeys); var onOpenChange = _this.props.onOpenChange; if (onOpenChange) { onOpenChange(openKeys); } }; _this.renderMenu = function (_ref) { var getPopupContainer = _ref.getPopupContainer, getPrefixCls = _ref.getPrefixCls; var _this$props = _this.props, customizePrefixCls = _this$props.prefixCls, className = _this$props.className, theme = _this$props.theme, collapsedWidth = _this$props.collapsedWidth; var passProps = (0, _omit["default"])(_this.props, ['collapsedWidth', 'siderCollapsed']); var menuMode = _this.getRealMenuMode(); var menuOpenMotion = _this.getOpenMotionProps(menuMode); var prefixCls = getPrefixCls('menu', customizePrefixCls); var menuClassName = (0, _classnames["default"])(className, "".concat(prefixCls, "-").concat(theme), _defineProperty({}, "".concat(prefixCls, "-inline-collapsed"), _this.getInlineCollapsed())); var menuProps = _extends({ openKeys: _this.state.openKeys, onOpenChange: _this.handleOpenChange, className: menuClassName, mode: menuMode }, menuOpenMotion); if (menuMode !== 'inline') { // closing vertical popup submenu after click it menuProps.onClick = _this.handleClick; } // https://github.com/ant-design/ant-design/issues/8587 var hideMenu = _this.getInlineCollapsed() && (collapsedWidth === 0 || collapsedWidth === '0' || collapsedWidth === '0px'); if (hideMenu) { menuProps.openKeys = []; } return React.createElement(_rcMenu["default"], _extends({ getPopupContainer: getPopupContainer }, passProps, menuProps, { prefixCls: prefixCls, onTransitionEnd: _this.handleTransitionEnd, onMouseEnter: _this.handleMouseEnter })); }; (0, _warning["default"])(!('onOpen' in props || 'onClose' in props), 'Menu', '`onOpen` and `onClose` are removed, please use `onOpenChange` instead, ' + 'see: https://u.ant.design/menu-on-open-change.'); (0, _warning["default"])(!('inlineCollapsed' in props && props.mode !== 'inline'), 'Menu', '`inlineCollapsed` should only be used when `mode` is inline.'); (0, _warning["default"])(!(props.siderCollapsed !== undefined && 'inlineCollapsed' in props), 'Menu', '`inlineCollapsed` not control Menu under Sider. Should set `collapsed` on Sider instead.'); var openKeys; if ('openKeys' in props) { openKeys = props.openKeys; } else if ('defaultOpenKeys' in props) { openKeys = props.defaultOpenKeys; } _this.state = { openKeys: openKeys || [], switchingModeFromInline: false, inlineOpenKeys: [], prevProps: props }; return _this; } _createClass(InternalMenu, [{ key: "componentWillUnmount", value: function componentWillUnmount() { _raf["default"].cancel(this.mountRafId); } }, { key: "setOpenKeys", value: function setOpenKeys(openKeys) { if (!('openKeys' in this.props)) { this.setState({ openKeys: openKeys }); } } }, { key: "getRealMenuMode", value: function getRealMenuMode() { var inlineCollapsed = this.getInlineCollapsed(); if (this.state.switchingModeFromInline && inlineCollapsed) { return 'inline'; } var mode = this.props.mode; return inlineCollapsed ? 'vertical' : mode; } }, { key: "getInlineCollapsed", value: function getInlineCollapsed() { var inlineCollapsed = this.props.inlineCollapsed; if (this.props.siderCollapsed !== undefined) { return this.props.siderCollapsed; } return inlineCollapsed; } }, { key: "getOpenMotionProps", value: function getOpenMotionProps(menuMode) { var _this$props2 = this.props, openTransitionName = _this$props2.openTransitionName, openAnimation = _this$props2.openAnimation, motion = _this$props2.motion; // Provides by user if (motion) { return { motion: motion }; } if (openAnimation) { (0, _warning["default"])(typeof openAnimation === 'string', 'Menu', '`openAnimation` do not support object. Please use `motion` instead.'); return { openAnimation: openAnimation }; } if (openTransitionName) { return { openTransitionName: openTransitionName }; } // Default logic if (menuMode === 'horizontal') { return { motion: { motionName: 'slide-up' } }; } if (menuMode === 'inline') { return { motion: _motion["default"] }; } // When mode switch from inline // submenu should hide without animation return { motion: { motionName: this.state.switchingModeFromInline ? '' : 'zoom-big' } }; } }, { key: "restoreModeVerticalFromInline", value: function restoreModeVerticalFromInline() { var switchingModeFromInline = this.state.switchingModeFromInline; if (switchingModeFromInline) { this.setState({ switchingModeFromInline: false }); } } }, { key: "render", value: function render() { return React.createElement(_MenuContext["default"].Provider, { value: { inlineCollapsed: this.getInlineCollapsed() || false, antdMenuTheme: this.props.theme } }, React.createElement(_configProvider.ConfigConsumer, null, this.renderMenu)); } }], [{ key: "getDerivedStateFromProps", value: function getDerivedStateFromProps(nextProps, prevState) { var prevProps = prevState.prevProps; var newState = { prevProps: nextProps }; if (prevProps.mode === 'inline' && nextProps.mode !== 'inline') { newState.switchingModeFromInline = true; } if ('openKeys' in nextProps) { newState.openKeys = nextProps.openKeys; } else { // [Legacy] Old code will return after `openKeys` changed. // Not sure the reason, we should keep this logic still. if (nextProps.inlineCollapsed && !prevProps.inlineCollapsed || nextProps.siderCollapsed && !prevProps.siderCollapsed) { newState.switchingModeFromInline = true; newState.inlineOpenKeys = prevState.openKeys; newState.openKeys = []; } if (!nextProps.inlineCollapsed && prevProps.inlineCollapsed || !nextProps.siderCollapsed && prevProps.siderCollapsed) { newState.openKeys = prevState.inlineOpenKeys; newState.inlineOpenKeys = []; } } return newState; } }]); return InternalMenu; }(React.Component); InternalMenu.defaultProps = { className: '', theme: 'light', focusable: false }; (0, _reactLifecyclesCompat.polyfill)(InternalMenu); // We should keep this as ref-able var Menu = /*#__PURE__*/ function (_React$Component2) { _inherits(Menu, _React$Component2); function Menu() { _classCallCheck(this, Menu); return _possibleConstructorReturn(this, _getPrototypeOf(Menu).apply(this, arguments)); } _createClass(Menu, [{ key: "render", value: function render() { var _this2 = this; return React.createElement(_Sider.SiderContext.Consumer, null, function (context) { return React.createElement(InternalMenu, _extends({}, _this2.props, context)); }); } }]); return Menu; }(React.Component); exports["default"] = Menu; Menu.Divider = _rcMenu.Divider; Menu.Item = _MenuItem["default"]; Menu.SubMenu = _SubMenu["default"]; Menu.ItemGroup = _rcMenu.ItemGroup; //# sourceMappingURL=index.js.map /***/ }), /***/ 863: /***/ (function(module, exports, __webpack_require__) { var baseToString = __webpack_require__(864); /** * Converts `value` to a string. An empty string is returned for `null` * and `undefined` values. The sign of `-0` is preserved. * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to convert. * @returns {string} Returns the converted string. * @example * * _.toString(null); * // => '' * * _.toString(-0); * // => '-0' * * _.toString([1, 2, 3]); * // => '1,2,3' */ function toString(value) { return value == null ? '' : baseToString(value); } module.exports = toString; /***/ }), /***/ 864: /***/ (function(module, exports, __webpack_require__) { var Symbol = __webpack_require__(171), arrayMap = __webpack_require__(891), isArray = __webpack_require__(815), isSymbol = __webpack_require__(299); /** Used as references for various `Number` constants. */ var INFINITY = 1 / 0; /** Used to convert symbols to primitives and strings. */ var symbolProto = Symbol ? Symbol.prototype : undefined, symbolToString = symbolProto ? symbolProto.toString : undefined; /** * The base implementation of `_.toString` which doesn't convert nullish * values to empty strings. * * @private * @param {*} value The value to process. * @returns {string} Returns the string. */ function baseToString(value) { // Exit early for strings to avoid a performance hit in some environments. if (typeof value == 'string') { return value; } if (isArray(value)) { // Recursively convert values (susceptible to call stack limits). return arrayMap(value, baseToString) + ''; } if (isSymbol(value)) { return symbolToString ? symbolToString.call(value) : ''; } var result = (value + ''); return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result; } module.exports = baseToString; /***/ }), /***/ 865: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _rcDropdown = _interopRequireDefault(__webpack_require__(1038)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _configProvider = __webpack_require__(9); var _warning = _interopRequireDefault(__webpack_require__(40)); var _icon = _interopRequireDefault(__webpack_require__(25)); var _type = __webpack_require__(69); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var Placements = (0, _type.tuple)('topLeft', 'topCenter', 'topRight', 'bottomLeft', 'bottomCenter', 'bottomRight'); var Dropdown = /*#__PURE__*/ function (_React$Component) { _inherits(Dropdown, _React$Component); function Dropdown() { var _this; _classCallCheck(this, Dropdown); _this = _possibleConstructorReturn(this, _getPrototypeOf(Dropdown).apply(this, arguments)); _this.renderOverlay = function (prefixCls) { // rc-dropdown already can process the function of overlay, but we have check logic here. // So we need render the element to check and pass back to rc-dropdown. var overlay = _this.props.overlay; var overlayNode; if (typeof overlay === 'function') { overlayNode = overlay(); } else { overlayNode = overlay; } overlayNode = React.Children.only(overlayNode); var overlayProps = overlayNode.props; // Warning if use other mode (0, _warning["default"])(!overlayProps.mode || overlayProps.mode === 'vertical', 'Dropdown', "mode=\"".concat(overlayProps.mode, "\" is not supported for Dropdown's Menu.")); // menu cannot be selectable in dropdown defaultly // menu should be focusable in dropdown defaultly var _overlayProps$selecta = overlayProps.selectable, selectable = _overlayProps$selecta === void 0 ? false : _overlayProps$selecta, _overlayProps$focusab = overlayProps.focusable, focusable = _overlayProps$focusab === void 0 ? true : _overlayProps$focusab; var expandIcon = React.createElement("span", { className: "".concat(prefixCls, "-menu-submenu-arrow") }, React.createElement(_icon["default"], { type: "right", className: "".concat(prefixCls, "-menu-submenu-arrow-icon") })); var fixedModeOverlay = typeof overlayNode.type === 'string' ? overlay : React.cloneElement(overlayNode, { mode: 'vertical', selectable: selectable, focusable: focusable, expandIcon: expandIcon }); return fixedModeOverlay; }; _this.renderDropDown = function (_ref) { var getContextPopupContainer = _ref.getPopupContainer, getPrefixCls = _ref.getPrefixCls; var _this$props = _this.props, customizePrefixCls = _this$props.prefixCls, children = _this$props.children, trigger = _this$props.trigger, disabled = _this$props.disabled, getPopupContainer = _this$props.getPopupContainer; var prefixCls = getPrefixCls('dropdown', customizePrefixCls); var child = React.Children.only(children); var dropdownTrigger = React.cloneElement(child, { className: (0, _classnames["default"])(child.props.className, "".concat(prefixCls, "-trigger")), disabled: disabled }); var triggerActions = disabled ? [] : trigger; var alignPoint; if (triggerActions && triggerActions.indexOf('contextMenu') !== -1) { alignPoint = true; } return React.createElement(_rcDropdown["default"], _extends({ alignPoint: alignPoint }, _this.props, { prefixCls: prefixCls, getPopupContainer: getPopupContainer || getContextPopupContainer, transitionName: _this.getTransitionName(), trigger: triggerActions, overlay: function overlay() { return _this.renderOverlay(prefixCls); } }), dropdownTrigger); }; return _this; } _createClass(Dropdown, [{ key: "getTransitionName", value: function getTransitionName() { var _this$props2 = this.props, _this$props2$placemen = _this$props2.placement, placement = _this$props2$placemen === void 0 ? '' : _this$props2$placemen, transitionName = _this$props2.transitionName; if (transitionName !== undefined) { return transitionName; } if (placement.indexOf('top') >= 0) { return 'slide-down'; } return 'slide-up'; } }, { key: "render", value: function render() { return React.createElement(_configProvider.ConfigConsumer, null, this.renderDropDown); } }]); return Dropdown; }(React.Component); exports["default"] = Dropdown; Dropdown.defaultProps = { mouseEnterDelay: 0.15, mouseLeaveDelay: 0.1, placement: 'bottomLeft' }; //# sourceMappingURL=dropdown.js.map /***/ }), /***/ 866: /***/ (function(module, exports) { /** * Removes all key-value entries from the list cache. * * @private * @name clear * @memberOf ListCache */ function listCacheClear() { this.__data__ = []; this.size = 0; } module.exports = listCacheClear; /***/ }), /***/ 867: /***/ (function(module, exports, __webpack_require__) { var assocIndexOf = __webpack_require__(817); /** Used for built-in method references. */ var arrayProto = Array.prototype; /** Built-in value references. */ var splice = arrayProto.splice; /** * Removes `key` and its value from the list cache. * * @private * @name delete * @memberOf ListCache * @param {string} key The key of the value to remove. * @returns {boolean} Returns `true` if the entry was removed, else `false`. */ function listCacheDelete(key) { var data = this.__data__, index = assocIndexOf(data, key); if (index < 0) { return false; } var lastIndex = data.length - 1; if (index == lastIndex) { data.pop(); } else { splice.call(data, index, 1); } --this.size; return true; } module.exports = listCacheDelete; /***/ }), /***/ 868: /***/ (function(module, exports, __webpack_require__) { var assocIndexOf = __webpack_require__(817); /** * Gets the list cache value for `key`. * * @private * @name get * @memberOf ListCache * @param {string} key The key of the value to get. * @returns {*} Returns the entry value. */ function listCacheGet(key) { var data = this.__data__, index = assocIndexOf(data, key); return index < 0 ? undefined : data[index][1]; } module.exports = listCacheGet; /***/ }), /***/ 869: /***/ (function(module, exports, __webpack_require__) { var assocIndexOf = __webpack_require__(817); /** * Checks if a list cache value for `key` exists. * * @private * @name has * @memberOf ListCache * @param {string} key The key of the entry to check. * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. */ function listCacheHas(key) { return assocIndexOf(this.__data__, key) > -1; } module.exports = listCacheHas; /***/ }), /***/ 870: /***/ (function(module, exports, __webpack_require__) { var assocIndexOf = __webpack_require__(817); /** * Sets the list cache `key` to `value`. * * @private * @name set * @memberOf ListCache * @param {string} key The key of the value to set. * @param {*} value The value to set. * @returns {Object} Returns the list cache instance. */ function listCacheSet(key, value) { var data = this.__data__, index = assocIndexOf(data, key); if (index < 0) { ++this.size; data.push([key, value]); } else { data[index][1] = value; } return this; } module.exports = listCacheSet; /***/ }), /***/ 871: /***/ (function(module, exports, __webpack_require__) { var isFunction = __webpack_require__(831), isMasked = __webpack_require__(872), isObject = __webpack_require__(163), toSource = __webpack_require__(844); /** * Used to match `RegExp` * [syntax characters](http://ecma-international.org/ecma-262/7.0/#sec-patterns). */ var reRegExpChar = /[\\^$.*+?()[\]{}|]/g; /** Used to detect host constructors (Safari). */ var reIsHostCtor = /^\[object .+?Constructor\]$/; /** Used for built-in method references. */ var funcProto = Function.prototype, objectProto = Object.prototype; /** Used to resolve the decompiled source of functions. */ var funcToString = funcProto.toString; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** Used to detect if a method is native. */ var reIsNative = RegExp('^' + funcToString.call(hasOwnProperty).replace(reRegExpChar, '\\$&') .replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g, '$1.*?') + '$' ); /** * The base implementation of `_.isNative` without bad shim checks. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a native function, * else `false`. */ function baseIsNative(value) { if (!isObject(value) || isMasked(value)) { return false; } var pattern = isFunction(value) ? reIsNative : reIsHostCtor; return pattern.test(toSource(value)); } module.exports = baseIsNative; /***/ }), /***/ 872: /***/ (function(module, exports, __webpack_require__) { var coreJsData = __webpack_require__(873); /** Used to detect methods masquerading as native. */ var maskSrcKey = (function() { var uid = /[^.]+$/.exec(coreJsData && coreJsData.keys && coreJsData.keys.IE_PROTO || ''); return uid ? ('Symbol(src)_1.' + uid) : ''; }()); /** * Checks if `func` has its source masked. * * @private * @param {Function} func The function to check. * @returns {boolean} Returns `true` if `func` is masked, else `false`. */ function isMasked(func) { return !!maskSrcKey && (maskSrcKey in func); } module.exports = isMasked; /***/ }), /***/ 873: /***/ (function(module, exports, __webpack_require__) { var root = __webpack_require__(162); /** Used to detect overreaching core-js shims. */ var coreJsData = root['__core-js_shared__']; module.exports = coreJsData; /***/ }), /***/ 874: /***/ (function(module, exports) { /** * Gets the value at `key` of `object`. * * @private * @param {Object} [object] The object to query. * @param {string} key The key of the property to get. * @returns {*} Returns the property value. */ function getValue(object, key) { return object == null ? undefined : object[key]; } module.exports = getValue; /***/ }), /***/ 875: /***/ (function(module, exports, __webpack_require__) { var Hash = __webpack_require__(876), ListCache = __webpack_require__(822), Map = __webpack_require__(829); /** * Removes all key-value entries from the map. * * @private * @name clear * @memberOf MapCache */ function mapCacheClear() { this.size = 0; this.__data__ = { 'hash': new Hash, 'map': new (Map || ListCache), 'string': new Hash }; } module.exports = mapCacheClear; /***/ }), /***/ 876: /***/ (function(module, exports, __webpack_require__) { var hashClear = __webpack_require__(877), hashDelete = __webpack_require__(878), hashGet = __webpack_require__(879), hashHas = __webpack_require__(880), hashSet = __webpack_require__(881); /** * Creates a hash object. * * @private * @constructor * @param {Array} [entries] The key-value pairs to cache. */ function Hash(entries) { var index = -1, length = entries == null ? 0 : entries.length; this.clear(); while (++index < length) { var entry = entries[index]; this.set(entry[0], entry[1]); } } // Add methods to `Hash`. Hash.prototype.clear = hashClear; Hash.prototype['delete'] = hashDelete; Hash.prototype.get = hashGet; Hash.prototype.has = hashHas; Hash.prototype.set = hashSet; module.exports = Hash; /***/ }), /***/ 877: /***/ (function(module, exports, __webpack_require__) { var nativeCreate = __webpack_require__(818); /** * Removes all key-value entries from the hash. * * @private * @name clear * @memberOf Hash */ function hashClear() { this.__data__ = nativeCreate ? nativeCreate(null) : {}; this.size = 0; } module.exports = hashClear; /***/ }), /***/ 878: /***/ (function(module, exports) { /** * Removes `key` and its value from the hash. * * @private * @name delete * @memberOf Hash * @param {Object} hash The hash to modify. * @param {string} key The key of the value to remove. * @returns {boolean} Returns `true` if the entry was removed, else `false`. */ function hashDelete(key) { var result = this.has(key) && delete this.__data__[key]; this.size -= result ? 1 : 0; return result; } module.exports = hashDelete; /***/ }), /***/ 879: /***/ (function(module, exports, __webpack_require__) { var nativeCreate = __webpack_require__(818); /** Used to stand-in for `undefined` hash values. */ var HASH_UNDEFINED = '__lodash_hash_undefined__'; /** Used for built-in method references. */ var objectProto = Object.prototype; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** * Gets the hash value for `key`. * * @private * @name get * @memberOf Hash * @param {string} key The key of the value to get. * @returns {*} Returns the entry value. */ function hashGet(key) { var data = this.__data__; if (nativeCreate) { var result = data[key]; return result === HASH_UNDEFINED ? undefined : result; } return hasOwnProperty.call(data, key) ? data[key] : undefined; } module.exports = hashGet; /***/ }), /***/ 880: /***/ (function(module, exports, __webpack_require__) { var nativeCreate = __webpack_require__(818); /** Used for built-in method references. */ var objectProto = Object.prototype; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** * Checks if a hash value for `key` exists. * * @private * @name has * @memberOf Hash * @param {string} key The key of the entry to check. * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. */ function hashHas(key) { var data = this.__data__; return nativeCreate ? (data[key] !== undefined) : hasOwnProperty.call(data, key); } module.exports = hashHas; /***/ }), /***/ 881: /***/ (function(module, exports, __webpack_require__) { var nativeCreate = __webpack_require__(818); /** Used to stand-in for `undefined` hash values. */ var HASH_UNDEFINED = '__lodash_hash_undefined__'; /** * Sets the hash `key` to `value`. * * @private * @name set * @memberOf Hash * @param {string} key The key of the value to set. * @param {*} value The value to set. * @returns {Object} Returns the hash instance. */ function hashSet(key, value) { var data = this.__data__; this.size += this.has(key) ? 0 : 1; data[key] = (nativeCreate && value === undefined) ? HASH_UNDEFINED : value; return this; } module.exports = hashSet; /***/ }), /***/ 882: /***/ (function(module, exports, __webpack_require__) { var getMapData = __webpack_require__(819); /** * Removes `key` and its value from the map. * * @private * @name delete * @memberOf MapCache * @param {string} key The key of the value to remove. * @returns {boolean} Returns `true` if the entry was removed, else `false`. */ function mapCacheDelete(key) { var result = getMapData(this, key)['delete'](key); this.size -= result ? 1 : 0; return result; } module.exports = mapCacheDelete; /***/ }), /***/ 883: /***/ (function(module, exports) { /** * Checks if `value` is suitable for use as unique object key. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is suitable, else `false`. */ function isKeyable(value) { var type = typeof value; return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean') ? (value !== '__proto__') : (value === null); } module.exports = isKeyable; /***/ }), /***/ 884: /***/ (function(module, exports, __webpack_require__) { var getMapData = __webpack_require__(819); /** * Gets the map value for `key`. * * @private * @name get * @memberOf MapCache * @param {string} key The key of the value to get. * @returns {*} Returns the entry value. */ function mapCacheGet(key) { return getMapData(this, key).get(key); } module.exports = mapCacheGet; /***/ }), /***/ 885: /***/ (function(module, exports, __webpack_require__) { var getMapData = __webpack_require__(819); /** * Checks if a map value for `key` exists. * * @private * @name has * @memberOf MapCache * @param {string} key The key of the entry to check. * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. */ function mapCacheHas(key) { return getMapData(this, key).has(key); } module.exports = mapCacheHas; /***/ }), /***/ 886: /***/ (function(module, exports, __webpack_require__) { var getMapData = __webpack_require__(819); /** * Sets the map `key` to `value`. * * @private * @name set * @memberOf MapCache * @param {string} key The key of the value to set. * @param {*} value The value to set. * @returns {Object} Returns the map cache instance. */ function mapCacheSet(key, value) { var data = getMapData(this, key), size = data.size; data.set(key, value); this.size += data.size == size ? 0 : 1; return this; } module.exports = mapCacheSet; /***/ }), /***/ 887: /***/ (function(module, exports, __webpack_require__) { var baseGetTag = __webpack_require__(297), isObjectLike = __webpack_require__(296); /** `Object#toString` result references. */ var argsTag = '[object Arguments]'; /** * The base implementation of `_.isArguments`. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is an `arguments` object, */ function baseIsArguments(value) { return isObjectLike(value) && baseGetTag(value) == argsTag; } module.exports = baseIsArguments; /***/ }), /***/ 888: /***/ (function(module, exports, __webpack_require__) { var memoizeCapped = __webpack_require__(889); /** Used to match property names within property paths. */ var rePropName = /[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g; /** Used to match backslashes in property paths. */ var reEscapeChar = /\\(\\)?/g; /** * Converts `string` to a property path array. * * @private * @param {string} string The string to convert. * @returns {Array} Returns the property path array. */ var stringToPath = memoizeCapped(function(string) { var result = []; if (string.charCodeAt(0) === 46 /* . */) { result.push(''); } string.replace(rePropName, function(match, number, quote, subString) { result.push(quote ? subString.replace(reEscapeChar, '$1') : (number || match)); }); return result; }); module.exports = stringToPath; /***/ }), /***/ 889: /***/ (function(module, exports, __webpack_require__) { var memoize = __webpack_require__(890); /** Used as the maximum memoize cache size. */ var MAX_MEMOIZE_SIZE = 500; /** * A specialized version of `_.memoize` which clears the memoized function's * cache when it exceeds `MAX_MEMOIZE_SIZE`. * * @private * @param {Function} func The function to have its output memoized. * @returns {Function} Returns the new memoized function. */ function memoizeCapped(func) { var result = memoize(func, function(key) { if (cache.size === MAX_MEMOIZE_SIZE) { cache.clear(); } return key; }); var cache = result.cache; return result; } module.exports = memoizeCapped; /***/ }), /***/ 890: /***/ (function(module, exports, __webpack_require__) { var MapCache = __webpack_require__(830); /** Error message constants. */ var FUNC_ERROR_TEXT = 'Expected a function'; /** * Creates a function that memoizes the result of `func`. If `resolver` is * provided, it determines the cache key for storing the result based on the * arguments provided to the memoized function. By default, the first argument * provided to the memoized function is used as the map cache key. The `func` * is invoked with the `this` binding of the memoized function. * * **Note:** The cache is exposed as the `cache` property on the memoized * function. Its creation may be customized by replacing the `_.memoize.Cache` * constructor with one whose instances implement the * [`Map`](http://ecma-international.org/ecma-262/7.0/#sec-properties-of-the-map-prototype-object) * method interface of `clear`, `delete`, `get`, `has`, and `set`. * * @static * @memberOf _ * @since 0.1.0 * @category Function * @param {Function} func The function to have its output memoized. * @param {Function} [resolver] The function to resolve the cache key. * @returns {Function} Returns the new memoized function. * @example * * var object = { 'a': 1, 'b': 2 }; * var other = { 'c': 3, 'd': 4 }; * * var values = _.memoize(_.values); * values(object); * // => [1, 2] * * values(other); * // => [3, 4] * * object.a = 2; * values(object); * // => [1, 2] * * // Modify the result cache. * values.cache.set(object, ['a', 'b']); * values(object); * // => ['a', 'b'] * * // Replace `_.memoize.Cache`. * _.memoize.Cache = WeakMap; */ function memoize(func, resolver) { if (typeof func != 'function' || (resolver != null && typeof resolver != 'function')) { throw new TypeError(FUNC_ERROR_TEXT); } var memoized = function() { var args = arguments, key = resolver ? resolver.apply(this, args) : args[0], cache = memoized.cache; if (cache.has(key)) { return cache.get(key); } var result = func.apply(this, args); memoized.cache = cache.set(key, result) || cache; return result; }; memoized.cache = new (memoize.Cache || MapCache); return memoized; } // Expose `MapCache`. memoize.Cache = MapCache; module.exports = memoize; /***/ }), /***/ 891: /***/ (function(module, exports) { /** * A specialized version of `_.map` for arrays without support for iteratee * shorthands. * * @private * @param {Array} [array] The array to iterate over. * @param {Function} iteratee The function invoked per iteration. * @returns {Array} Returns the new mapped array. */ function arrayMap(array, iteratee) { var index = -1, length = array == null ? 0 : array.length, result = Array(length); while (++index < length) { result[index] = iteratee(array[index], index, array); } return result; } module.exports = arrayMap; /***/ }), /***/ 894: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, global) {/* unused harmony export LANGUAGE_DEFAULT */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "g", function() { return isWindows; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "d", function() { return isMacintosh; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return isLinux; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "e", function() { return isNative; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "f", function() { return isWeb; }); /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return globals; }); /* harmony export (immutable) */ __webpack_exports__["h"] = setImmediate; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return OS; }); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var LANGUAGE_DEFAULT = 'en'; var _isWindows = false; var _isMacintosh = false; var _isLinux = false; var _isNative = false; var _isWeb = false; var _locale = undefined; var _language = LANGUAGE_DEFAULT; var _translationsConfigFile = undefined; var isElectronRenderer = (typeof process !== 'undefined' && typeof process.versions !== 'undefined' && typeof process.versions.electron !== 'undefined' && process.type === 'renderer'); // OS detection if (typeof navigator === 'object' && !isElectronRenderer) { var userAgent = navigator.userAgent; _isWindows = userAgent.indexOf('Windows') >= 0; _isMacintosh = userAgent.indexOf('Macintosh') >= 0; _isLinux = userAgent.indexOf('Linux') >= 0; _isWeb = true; _locale = navigator.language; _language = _locale; } else if (typeof process === 'object') { _isWindows = (process.platform === 'win32'); _isMacintosh = (process.platform === 'darwin'); _isLinux = (process.platform === 'linux'); _locale = LANGUAGE_DEFAULT; _language = LANGUAGE_DEFAULT; var rawNlsConfig = Object({"NODE_ENV":"production","PUBLIC_URL":"/react/build/."})['VSCODE_NLS_CONFIG']; if (rawNlsConfig) { try { var nlsConfig = JSON.parse(rawNlsConfig); var resolved = nlsConfig.availableLanguages['*']; _locale = nlsConfig.locale; // VSCode's default language is 'en' _language = resolved ? resolved : LANGUAGE_DEFAULT; _translationsConfigFile = nlsConfig._translationsConfigFile; } catch (e) { } } _isNative = true; } var _platform = 0 /* Web */; if (_isNative) { if (_isMacintosh) { _platform = 1 /* Mac */; } else if (_isWindows) { _platform = 3 /* Windows */; } else if (_isLinux) { _platform = 2 /* Linux */; } } var isWindows = _isWindows; var isMacintosh = _isMacintosh; var isLinux = _isLinux; var isNative = _isNative; var isWeb = _isWeb; var _globals = (typeof self === 'object' ? self : typeof global === 'object' ? global : {}); var globals = _globals; var _setImmediate = null; function setImmediate(callback) { if (_setImmediate === null) { if (globals.setImmediate) { _setImmediate = globals.setImmediate.bind(globals); } else if (typeof process !== 'undefined' && typeof process.nextTick === 'function') { _setImmediate = process.nextTick.bind(process); } else { _setImmediate = globals.setTimeout.bind(globals); } } return _setImmediate(callback); } var OS = (_isMacintosh ? 2 /* Macintosh */ : (_isWindows ? 1 /* Windows */ : 3 /* Linux */)); /* WEBPACK VAR INJECTION */}.call(__webpack_exports__, __webpack_require__(110), __webpack_require__(34))) /***/ }), /***/ 895: /***/ (function(module, exports, __webpack_require__) { var ListCache = __webpack_require__(822), stackClear = __webpack_require__(940), stackDelete = __webpack_require__(941), stackGet = __webpack_require__(942), stackHas = __webpack_require__(943), stackSet = __webpack_require__(944); /** * Creates a stack cache object to store key-value pairs. * * @private * @constructor * @param {Array} [entries] The key-value pairs to cache. */ function Stack(entries) { var data = this.__data__ = new ListCache(entries); this.size = data.size; } // Add methods to `Stack`. Stack.prototype.clear = stackClear; Stack.prototype['delete'] = stackDelete; Stack.prototype.get = stackGet; Stack.prototype.has = stackHas; Stack.prototype.set = stackSet; module.exports = Stack; /***/ }), /***/ 901: /***/ (function(module, exports, __webpack_require__) { // style-loader: Adds some css to the DOM by adding a <style> tag // load the styles var content = __webpack_require__(910); if(typeof content === 'string') content = [[module.i, content, '']]; // Prepare cssTransformation var transform; var options = {"hmr":false} options.transform = transform // add the styles to the DOM var update = __webpack_require__(291)(content, options); if(content.locals) module.exports = content.locals; /***/ }), /***/ 902: /***/ (function(module, exports, __webpack_require__) { var baseAssignValue = __webpack_require__(842), eq = __webpack_require__(820); /** Used for built-in method references. */ var objectProto = Object.prototype; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** * Assigns `value` to `key` of `object` if the existing value is not equivalent * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero) * for equality comparisons. * * @private * @param {Object} object The object to modify. * @param {string} key The key of the property to assign. * @param {*} value The value to assign. */ function assignValue(object, key, value) { var objValue = object[key]; if (!(hasOwnProperty.call(object, key) && eq(objValue, value)) || (value === undefined && !(key in object))) { baseAssignValue(object, key, value); } } module.exports = assignValue; /***/ }), /***/ 903: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty__ = __webpack_require__(66); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__ = __webpack_require__(26); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__ = __webpack_require__(11); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_createClass__ = __webpack_require__(44); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_createClass___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_createClass__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(13); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__ = __webpack_require__(14); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_classnames__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__Pager__ = __webpack_require__(904); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__Options__ = __webpack_require__(905); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__KeyCode__ = __webpack_require__(837); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__locale_zh_CN__ = __webpack_require__(906); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_13_react_lifecycles_compat__ = __webpack_require__(7); function noop() {} function isInteger(value) { return typeof value === 'number' && isFinite(value) && Math.floor(value) === value; } function defaultItemRender(page, type, element) { return element; } function calculatePage(p, state, props) { var pageSize = p; if (typeof pageSize === 'undefined') { pageSize = state.pageSize; } return Math.floor((props.total - 1) / pageSize) + 1; } var Pagination = function (_React$Component) { __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(Pagination, _React$Component); function Pagination(props) { __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default()(this, Pagination); var _this = __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, (Pagination.__proto__ || Object.getPrototypeOf(Pagination)).call(this, props)); _initialiseProps.call(_this); var hasOnChange = props.onChange !== noop; var hasCurrent = 'current' in props; if (hasCurrent && !hasOnChange) { console.warn('Warning: You provided a `current` prop to a Pagination component without an `onChange` handler. This will render a read-only component.'); // eslint-disable-line } var current = props.defaultCurrent; if ('current' in props) { current = props.current; } var pageSize = props.defaultPageSize; if ('pageSize' in props) { pageSize = props.pageSize; } _this.state = { current: current, currentInputValue: current, pageSize: pageSize }; return _this; } __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_createClass___default()(Pagination, [{ key: 'componentDidUpdate', value: function componentDidUpdate(prevProps, prevState) { // When current page change, fix focused style of prev item // A hacky solution of https://github.com/ant-design/ant-design/issues/8948 var prefixCls = this.props.prefixCls; if (prevState.current !== this.state.current && this.paginationNode) { var lastCurrentNode = this.paginationNode.querySelector('.' + prefixCls + '-item-' + prevState.current); if (lastCurrentNode && document.activeElement === lastCurrentNode) { lastCurrentNode.blur(); } } } }, { key: 'getValidValue', value: function getValidValue(e) { var inputValue = e.target.value; var currentInputValue = this.state.currentInputValue; var value = void 0; if (inputValue === '') { value = inputValue; } else if (isNaN(Number(inputValue))) { value = currentInputValue; } else { value = Number(inputValue); } return value; } }, { key: 'render', value: function render() { var _props = this.props, prefixCls = _props.prefixCls, className = _props.className, disabled = _props.disabled; // When hideOnSinglePage is true and there is only 1 page, hide the pager if (this.props.hideOnSinglePage === true && this.props.total <= this.state.pageSize) { return null; } var props = this.props; var locale = props.locale; var allPages = calculatePage(undefined, this.state, this.props); var pagerList = []; var jumpPrev = null; var jumpNext = null; var firstPager = null; var lastPager = null; var gotoButton = null; var goButton = props.showQuickJumper && props.showQuickJumper.goButton; var pageBufferSize = props.showLessItems ? 1 : 2; var _state = this.state, current = _state.current, pageSize = _state.pageSize; var prevPage = current - 1 > 0 ? current - 1 : 0; var nextPage = current + 1 < allPages ? current + 1 : allPages; var dataOrAriaAttributeProps = Object.keys(props).reduce(function (prev, key) { if (key.substr(0, 5) === 'data-' || key.substr(0, 5) === 'aria-' || key === 'role') { prev[key] = props[key]; } return prev; }, {}); if (props.simple) { if (goButton) { if (typeof goButton === 'boolean') { gotoButton = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'button', { type: 'button', onClick: this.handleGoTO, onKeyUp: this.handleGoTO }, locale.jump_to_confirm ); } else { gotoButton = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'span', { onClick: this.handleGoTO, onKeyUp: this.handleGoTO }, goButton ); } gotoButton = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? '' + locale.jump_to + this.state.current + '/' + allPages : null, className: prefixCls + '-simple-pager' }, gotoButton ); } return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'ul', __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ className: prefixCls + ' ' + prefixCls + '-simple ' + props.className, style: props.style, ref: this.savePaginationNode }, dataOrAriaAttributeProps), __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? locale.prev_page : null, onClick: this.prev, tabIndex: this.hasPrev() ? 0 : null, onKeyPress: this.runIfEnterPrev, className: (this.hasPrev() ? '' : prefixCls + '-disabled') + ' ' + prefixCls + '-prev', 'aria-disabled': !this.hasPrev() }, props.itemRender(prevPage, 'prev', this.getItemIcon(props.prevIcon)) ), __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? this.state.current + '/' + allPages : null, className: prefixCls + '-simple-pager' }, __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement('input', { type: 'text', value: this.state.currentInputValue, onKeyDown: this.handleKeyDown, onKeyUp: this.handleKeyUp, onChange: this.handleKeyUp, size: '3' }), __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'span', { className: prefixCls + '-slash' }, '/' ), allPages ), __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? locale.next_page : null, onClick: this.next, tabIndex: this.hasPrev() ? 0 : null, onKeyPress: this.runIfEnterNext, className: (this.hasNext() ? '' : prefixCls + '-disabled') + ' ' + prefixCls + '-next', 'aria-disabled': !this.hasNext() }, props.itemRender(nextPage, 'next', this.getItemIcon(props.nextIcon)) ), gotoButton ); } if (allPages <= 5 + pageBufferSize * 2) { var pagerProps = { locale: locale, rootPrefixCls: prefixCls, onClick: this.handleChange, onKeyPress: this.runIfEnter, showTitle: props.showTitle, itemRender: props.itemRender }; if (!allPages) { pagerList.push(__WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__Pager__["a" /* default */], __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, pagerProps, { key: 'noPager', page: allPages, className: prefixCls + '-disabled' }))); } for (var i = 1; i <= allPages; i++) { var active = this.state.current === i; pagerList.push(__WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__Pager__["a" /* default */], __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, pagerProps, { key: i, page: i, active: active }))); } } else { var prevItemTitle = props.showLessItems ? locale.prev_3 : locale.prev_5; var nextItemTitle = props.showLessItems ? locale.next_3 : locale.next_5; if (props.showPrevNextJumpers) { var jumpPrevClassString = prefixCls + '-jump-prev'; if (props.jumpPrevIcon) { jumpPrevClassString += ' ' + prefixCls + '-jump-prev-custom-icon'; } jumpPrev = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? prevItemTitle : null, key: 'prev', onClick: this.jumpPrev, tabIndex: '0', onKeyPress: this.runIfEnterJumpPrev, className: jumpPrevClassString }, props.itemRender(this.getJumpPrevPage(), 'jump-prev', this.getItemIcon(props.jumpPrevIcon)) ); var jumpNextClassString = prefixCls + '-jump-next'; if (props.jumpNextIcon) { jumpNextClassString += ' ' + prefixCls + '-jump-next-custom-icon'; } jumpNext = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? nextItemTitle : null, key: 'next', tabIndex: '0', onClick: this.jumpNext, onKeyPress: this.runIfEnterJumpNext, className: jumpNextClassString }, props.itemRender(this.getJumpNextPage(), 'jump-next', this.getItemIcon(props.jumpNextIcon)) ); } lastPager = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__Pager__["a" /* default */], { locale: props.locale, last: true, rootPrefixCls: prefixCls, onClick: this.handleChange, onKeyPress: this.runIfEnter, key: allPages, page: allPages, active: false, showTitle: props.showTitle, itemRender: props.itemRender }); firstPager = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__Pager__["a" /* default */], { locale: props.locale, rootPrefixCls: prefixCls, onClick: this.handleChange, onKeyPress: this.runIfEnter, key: 1, page: 1, active: false, showTitle: props.showTitle, itemRender: props.itemRender }); var left = Math.max(1, current - pageBufferSize); var right = Math.min(current + pageBufferSize, allPages); if (current - 1 <= pageBufferSize) { right = 1 + pageBufferSize * 2; } if (allPages - current <= pageBufferSize) { left = allPages - pageBufferSize * 2; } for (var _i = left; _i <= right; _i++) { var _active = current === _i; pagerList.push(__WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__Pager__["a" /* default */], { locale: props.locale, rootPrefixCls: prefixCls, onClick: this.handleChange, onKeyPress: this.runIfEnter, key: _i, page: _i, active: _active, showTitle: props.showTitle, itemRender: props.itemRender })); } if (current - 1 >= pageBufferSize * 2 && current !== 1 + 2) { pagerList[0] = __WEBPACK_IMPORTED_MODULE_6_react___default.a.cloneElement(pagerList[0], { className: prefixCls + '-item-after-jump-prev' }); pagerList.unshift(jumpPrev); } if (allPages - current >= pageBufferSize * 2 && current !== allPages - 2) { pagerList[pagerList.length - 1] = __WEBPACK_IMPORTED_MODULE_6_react___default.a.cloneElement(pagerList[pagerList.length - 1], { className: prefixCls + '-item-before-jump-next' }); pagerList.push(jumpNext); } if (left !== 1) { pagerList.unshift(firstPager); } if (right !== allPages) { pagerList.push(lastPager); } } var totalText = null; if (props.showTotal) { totalText = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { className: prefixCls + '-total-text' }, props.showTotal(props.total, [props.total === 0 ? 0 : (current - 1) * pageSize + 1, current * pageSize > props.total ? props.total : current * pageSize]) ); } var prevDisabled = !this.hasPrev() || !allPages; var nextDisabled = !this.hasNext() || !allPages; return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'ul', __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ className: __WEBPACK_IMPORTED_MODULE_7_classnames___default()(prefixCls, className, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty___default()({}, prefixCls + '-disabled', disabled)), style: props.style, unselectable: 'unselectable', ref: this.savePaginationNode }, dataOrAriaAttributeProps), totalText, __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? locale.prev_page : null, onClick: this.prev, tabIndex: prevDisabled ? null : 0, onKeyPress: this.runIfEnterPrev, className: (!prevDisabled ? '' : prefixCls + '-disabled') + ' ' + prefixCls + '-prev', 'aria-disabled': prevDisabled }, props.itemRender(prevPage, 'prev', this.getItemIcon(props.prevIcon)) ), pagerList, __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement( 'li', { title: props.showTitle ? locale.next_page : null, onClick: this.next, tabIndex: nextDisabled ? null : 0, onKeyPress: this.runIfEnterNext, className: (!nextDisabled ? '' : prefixCls + '-disabled') + ' ' + prefixCls + '-next', 'aria-disabled': nextDisabled }, props.itemRender(nextPage, 'next', this.getItemIcon(props.nextIcon)) ), __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_10__Options__["a" /* default */], { disabled: disabled, locale: props.locale, rootPrefixCls: prefixCls, selectComponentClass: props.selectComponentClass, selectPrefixCls: props.selectPrefixCls, changeSize: this.props.showSizeChanger ? this.changePageSize : null, current: this.state.current, pageSize: this.state.pageSize, pageSizeOptions: this.props.pageSizeOptions, quickGo: this.shouldDisplayQuickJumper() ? this.handleChange : null, goButton: goButton }) ); } }], [{ key: 'getDerivedStateFromProps', value: function getDerivedStateFromProps(props, prevState) { var newState = {}; if ('current' in props) { newState.current = props.current; if (props.current !== prevState.current) { newState.currentInputValue = newState.current; } } if ('pageSize' in props && props.pageSize !== prevState.pageSize) { var current = prevState.current; var newCurrent = calculatePage(props.pageSize, prevState, props); current = current > newCurrent ? newCurrent : current; if (!('current' in props)) { newState.current = current; newState.currentInputValue = current; } newState.pageSize = props.pageSize; } return newState; } /** * computed icon node that need to be rendered. * @param {React.ReactNode | React.ComponentType<PaginationProps>} icon received icon. * @returns {React.ReactNode} */ }]); return Pagination; }(__WEBPACK_IMPORTED_MODULE_6_react___default.a.Component); Pagination.propTypes = { disabled: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, prefixCls: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.string, className: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.string, current: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.number, defaultCurrent: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.number, total: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.number, pageSize: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.number, defaultPageSize: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.number, onChange: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, hideOnSinglePage: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, showSizeChanger: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, showLessItems: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, onShowSizeChange: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, selectComponentClass: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, showPrevNextJumpers: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, showQuickJumper: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.object]), showTitle: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.bool, pageSizeOptions: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.arrayOf(__WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.string), showTotal: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, locale: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.object, style: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.object, itemRender: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, prevIcon: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.node]), nextIcon: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.node]), jumpPrevIcon: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.node]), jumpNextIcon: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.func, __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.node]) }; Pagination.defaultProps = { defaultCurrent: 1, total: 0, defaultPageSize: 10, onChange: noop, className: '', selectPrefixCls: 'rc-select', prefixCls: 'rc-pagination', selectComponentClass: null, hideOnSinglePage: false, showPrevNextJumpers: true, showQuickJumper: false, showSizeChanger: false, showLessItems: false, showTitle: true, onShowSizeChange: noop, locale: __WEBPACK_IMPORTED_MODULE_12__locale_zh_CN__["a" /* default */], style: {}, itemRender: defaultItemRender }; var _initialiseProps = function _initialiseProps() { var _this2 = this; this.getJumpPrevPage = function () { return Math.max(1, _this2.state.current - (_this2.props.showLessItems ? 3 : 5)); }; this.getJumpNextPage = function () { return Math.min(calculatePage(undefined, _this2.state, _this2.props), _this2.state.current + (_this2.props.showLessItems ? 3 : 5)); }; this.getItemIcon = function (icon) { var prefixCls = _this2.props.prefixCls; var iconNode = icon || __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement('a', { className: prefixCls + '-item-link' }); if (typeof icon === 'function') { iconNode = __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(icon, __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, _this2.props)); } return iconNode; }; this.savePaginationNode = function (node) { _this2.paginationNode = node; }; this.isValid = function (page) { return isInteger(page) && page !== _this2.state.current; }; this.shouldDisplayQuickJumper = function () { var _props2 = _this2.props, showQuickJumper = _props2.showQuickJumper, pageSize = _props2.pageSize, total = _props2.total; if (total <= pageSize) { return false; } return showQuickJumper; }; this.handleKeyDown = function (e) { if (e.keyCode === __WEBPACK_IMPORTED_MODULE_11__KeyCode__["a" /* default */].ARROW_UP || e.keyCode === __WEBPACK_IMPORTED_MODULE_11__KeyCode__["a" /* default */].ARROW_DOWN) { e.preventDefault(); } }; this.handleKeyUp = function (e) { var value = _this2.getValidValue(e); var currentInputValue = _this2.state.currentInputValue; if (value !== currentInputValue) { _this2.setState({ currentInputValue: value }); } if (e.keyCode === __WEBPACK_IMPORTED_MODULE_11__KeyCode__["a" /* default */].ENTER) { _this2.handleChange(value); } else if (e.keyCode === __WEBPACK_IMPORTED_MODULE_11__KeyCode__["a" /* default */].ARROW_UP) { _this2.handleChange(value - 1); } else if (e.keyCode === __WEBPACK_IMPORTED_MODULE_11__KeyCode__["a" /* default */].ARROW_DOWN) { _this2.handleChange(value + 1); } }; this.changePageSize = function (size) { var current = _this2.state.current; var newCurrent = calculatePage(size, _this2.state, _this2.props); current = current > newCurrent ? newCurrent : current; // fix the issue: // Once 'total' is 0, 'current' in 'onShowSizeChange' is 0, which is not correct. if (newCurrent === 0) { current = _this2.state.current; } if (typeof size === 'number') { if (!('pageSize' in _this2.props)) { _this2.setState({ pageSize: size }); } if (!('current' in _this2.props)) { _this2.setState({ current: current, currentInputValue: current }); } } _this2.props.onShowSizeChange(current, size); }; this.handleChange = function (p) { var disabled = _this2.props.disabled; var page = p; if (_this2.isValid(page) && !disabled) { var currentPage = calculatePage(undefined, _this2.state, _this2.props); if (page > currentPage) { page = currentPage; } else if (page < 1) { page = 1; } if (!('current' in _this2.props)) { _this2.setState({ current: page, currentInputValue: page }); } var pageSize = _this2.state.pageSize; _this2.props.onChange(page, pageSize); return page; } return _this2.state.current; }; this.prev = function () { if (_this2.hasPrev()) { _this2.handleChange(_this2.state.current - 1); } }; this.next = function () { if (_this2.hasNext()) { _this2.handleChange(_this2.state.current + 1); } }; this.jumpPrev = function () { _this2.handleChange(_this2.getJumpPrevPage()); }; this.jumpNext = function () { _this2.handleChange(_this2.getJumpNextPage()); }; this.hasPrev = function () { return _this2.state.current > 1; }; this.hasNext = function () { return _this2.state.current < calculatePage(undefined, _this2.state, _this2.props); }; this.runIfEnter = function (event, callback) { for (var _len = arguments.length, restParams = Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) { restParams[_key - 2] = arguments[_key]; } if (event.key === 'Enter' || event.charCode === 13) { callback.apply(undefined, restParams); } }; this.runIfEnterPrev = function (e) { _this2.runIfEnter(e, _this2.prev); }; this.runIfEnterNext = function (e) { _this2.runIfEnter(e, _this2.next); }; this.runIfEnterJumpPrev = function (e) { _this2.runIfEnter(e, _this2.jumpPrev); }; this.runIfEnterJumpNext = function (e) { _this2.runIfEnter(e, _this2.jumpNext); }; this.handleGoTO = function (e) { if (e.keyCode === __WEBPACK_IMPORTED_MODULE_11__KeyCode__["a" /* default */].ENTER || e.type === 'click') { _this2.handleChange(_this2.state.currentInputValue); } }; }; Object(__WEBPACK_IMPORTED_MODULE_13_react_lifecycles_compat__["polyfill"])(Pagination); /* harmony default export */ __webpack_exports__["a"] = (Pagination); /***/ }), /***/ 904: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty__ = __webpack_require__(66); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_classnames__ = __webpack_require__(3); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_classnames__); var Pager = function Pager(props) { var _classNames; var prefixCls = props.rootPrefixCls + '-item'; var cls = __WEBPACK_IMPORTED_MODULE_3_classnames___default()(prefixCls, prefixCls + '-' + props.page, (_classNames = {}, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty___default()(_classNames, prefixCls + '-active', props.active), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty___default()(_classNames, props.className, !!props.className), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_defineProperty___default()(_classNames, prefixCls + '-disabled', !props.page), _classNames)); var handleClick = function handleClick() { props.onClick(props.page); }; var handleKeyPress = function handleKeyPress(e) { props.onKeyPress(e, props.onClick, props.page); }; return __WEBPACK_IMPORTED_MODULE_1_react___default.a.createElement( 'li', { title: props.showTitle ? props.page : null, className: cls, onClick: handleClick, onKeyPress: handleKeyPress, tabIndex: '0' }, props.itemRender(props.page, 'page', __WEBPACK_IMPORTED_MODULE_1_react___default.a.createElement( 'a', null, props.page )) ); }; Pager.propTypes = { page: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.number, active: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.bool, last: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.bool, locale: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.object, className: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.string, showTitle: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.bool, rootPrefixCls: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.string, onClick: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.func, onKeyPress: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.func, itemRender: __WEBPACK_IMPORTED_MODULE_2_prop_types___default.a.func }; /* harmony default export */ __webpack_exports__["a"] = (Pager); /***/ }), /***/ 905: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(11); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_createClass__ = __webpack_require__(44); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_createClass___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_createClass__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(13); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(14); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types__ = __webpack_require__(1); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_prop_types__); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__KeyCode__ = __webpack_require__(837); var Options = function (_React$Component) { __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(Options, _React$Component); function Options() { var _ref; var _temp, _this, _ret; __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, Options); for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, (_ref = Options.__proto__ || Object.getPrototypeOf(Options)).call.apply(_ref, [this].concat(args))), _this), _this.state = { goInputText: '' }, _this.buildOptionText = function (value) { return value + ' ' + _this.props.locale.items_per_page; }, _this.changeSize = function (value) { _this.props.changeSize(Number(value)); }, _this.handleChange = function (e) { _this.setState({ goInputText: e.target.value }); }, _this.handleBlur = function () { var _this$props = _this.props, goButton = _this$props.goButton, quickGo = _this$props.quickGo; if (goButton) { return; } quickGo(_this.getValidValue()); }, _this.go = function (e) { var goInputText = _this.state.goInputText; if (goInputText === '') { return; } if (e.keyCode === __WEBPACK_IMPORTED_MODULE_6__KeyCode__["a" /* default */].ENTER || e.type === 'click') { _this.setState({ goInputText: '' }); _this.props.quickGo(_this.getValidValue()); } }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret); } __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_createClass___default()(Options, [{ key: 'getValidValue', value: function getValidValue() { var _state = this.state, goInputText = _state.goInputText, current = _state.current; return !goInputText || isNaN(goInputText) ? current : Number(goInputText); } }, { key: 'render', value: function render() { var _this2 = this; var _props = this.props, pageSize = _props.pageSize, pageSizeOptions = _props.pageSizeOptions, locale = _props.locale, rootPrefixCls = _props.rootPrefixCls, changeSize = _props.changeSize, quickGo = _props.quickGo, goButton = _props.goButton, selectComponentClass = _props.selectComponentClass, buildOptionText = _props.buildOptionText, selectPrefixCls = _props.selectPrefixCls, disabled = _props.disabled; var goInputText = this.state.goInputText; var prefixCls = rootPrefixCls + '-options'; var Select = selectComponentClass; var changeSelect = null; var goInput = null; var gotoButton = null; if (!changeSize && !quickGo) { return null; } if (changeSize && Select) { var options = pageSizeOptions.map(function (opt, i) { return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( Select.Option, { key: i, value: opt }, (buildOptionText || _this2.buildOptionText)(opt) ); }); changeSelect = __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( Select, { disabled: disabled, prefixCls: selectPrefixCls, showSearch: false, className: prefixCls + '-size-changer', optionLabelProp: 'children', dropdownMatchSelectWidth: false, value: (pageSize || pageSizeOptions[0]).toString(), onChange: this.changeSize, getPopupContainer: function getPopupContainer(triggerNode) { return triggerNode.parentNode; } }, options ); } if (quickGo) { if (goButton) { gotoButton = typeof goButton === 'boolean' ? __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( 'button', { type: 'button', onClick: this.go, onKeyUp: this.go, disabled: disabled }, locale.jump_to_confirm ) : __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( 'span', { onClick: this.go, onKeyUp: this.go }, goButton ); } goInput = __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( 'div', { className: prefixCls + '-quick-jumper' }, locale.jump_to, __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement('input', { disabled: disabled, type: 'text', value: goInputText, onChange: this.handleChange, onKeyUp: this.go, onBlur: this.handleBlur }), locale.page, gotoButton ); } return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement( 'li', { className: '' + prefixCls }, changeSelect, goInput ); } }]); return Options; }(__WEBPACK_IMPORTED_MODULE_4_react___default.a.Component); Options.propTypes = { disabled: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.bool, changeSize: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, quickGo: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, selectComponentClass: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, current: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.number, pageSizeOptions: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.arrayOf(__WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string), pageSize: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.number, buildOptionText: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.func, locale: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.object, rootPrefixCls: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string, selectPrefixCls: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string, goButton: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.bool, __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.node]) }; Options.defaultProps = { pageSizeOptions: ['10', '20', '30', '40'] }; /* harmony default export */ __webpack_exports__["a"] = (Options); /***/ }), /***/ 906: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony default export */ __webpack_exports__["a"] = ({ // Options.jsx items_per_page: '条/页', jump_to: '跳至', jump_to_confirm: '确定', page: '页', // Pagination.jsx prev_page: '上一页', next_page: '下一页', prev_5: '向前 5 页', next_5: '向后 5 页', prev_3: '向前 3 页', next_3: '向后 3 页' }); /***/ }), /***/ 907: /***/ (function(module, exports) { /** Used for built-in method references. */ var objectProto = Object.prototype; /** * Checks if `value` is likely a prototype object. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a prototype, else `false`. */ function isPrototype(value) { var Ctor = value && value.constructor, proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto; return value === proto; } module.exports = isPrototype; /***/ }), /***/ 908: /***/ (function(module, exports) { /** * This method returns the first argument it receives. * * @static * @since 0.1.0 * @memberOf _ * @category Util * @param {*} value Any value. * @returns {*} Returns `value`. * @example * * var object = { 'a': 1 }; * * console.log(_.identity(object) === object); * // => true */ function identity(value) { return value; } module.exports = identity; /***/ }), /***/ 910: /***/ (function(module, exports, __webpack_require__) { exports = module.exports = __webpack_require__(290)(true); // imports // module exports.push([module.i, ".ant-pagination{-webkit-box-sizing:border-box;box-sizing:border-box;color:rgba(0,0,0,.65);font-size:14px;font-variant:tabular-nums;line-height:1.5;-webkit-font-feature-settings:\"tnum\";font-feature-settings:\"tnum\"}.ant-pagination,.ant-pagination ol,.ant-pagination ul{margin:0;padding:0;list-style:none}.ant-pagination:after{display:block;clear:both;height:0;overflow:hidden;visibility:hidden;content:\" \"}.ant-pagination-item,.ant-pagination-total-text{display:inline-block;height:32px;margin-right:8px;line-height:30px;vertical-align:middle}.ant-pagination-item{min-width:32px;font-family:Arial;text-align:center;list-style:none;background-color:#fff;border:1px solid #d9d9d9;border-radius:4px;outline:0;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ant-pagination-item a{display:block;padding:0 6px;color:rgba(0,0,0,.65);-webkit-transition:none;-o-transition:none;transition:none}.ant-pagination-item a:hover{text-decoration:none}.ant-pagination-item:focus,.ant-pagination-item:hover{border-color:#1890ff;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-pagination-item:focus a,.ant-pagination-item:hover a{color:#1890ff}.ant-pagination-item-active{font-weight:500;background:#fff;border-color:#1890ff}.ant-pagination-item-active a{color:#1890ff}.ant-pagination-item-active:focus,.ant-pagination-item-active:hover{border-color:#40a9ff}.ant-pagination-item-active:focus a,.ant-pagination-item-active:hover a{color:#40a9ff}.ant-pagination-jump-next,.ant-pagination-jump-prev{outline:0}.ant-pagination-jump-next .ant-pagination-item-container,.ant-pagination-jump-prev .ant-pagination-item-container{position:relative}.ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-link-icon,.ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-link-icon{display:inline-block;font-size:12px;font-size:12px\\9;-webkit-transform:scale(1) rotate(0deg);-ms-transform:scale(1) rotate(0deg);transform:scale(1) rotate(0deg);color:#1890ff;letter-spacing:-1px;opacity:0;-webkit-transition:all .2s;-o-transition:all .2s;transition:all .2s}:root .ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-link-icon,:root .ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-link-icon{font-size:12px}.ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-link-icon-svg,.ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-link-icon-svg{top:0;right:0;bottom:0;left:0;margin:auto}.ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-ellipsis,.ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-ellipsis{position:absolute;top:0;right:0;bottom:0;left:0;display:block;margin:auto;color:rgba(0,0,0,.25);letter-spacing:2px;text-align:center;text-indent:.13em;opacity:1;-webkit-transition:all .2s;-o-transition:all .2s;transition:all .2s}.ant-pagination-jump-next:focus .ant-pagination-item-link-icon,.ant-pagination-jump-next:hover .ant-pagination-item-link-icon,.ant-pagination-jump-prev:focus .ant-pagination-item-link-icon,.ant-pagination-jump-prev:hover .ant-pagination-item-link-icon{opacity:1}.ant-pagination-jump-next:focus .ant-pagination-item-ellipsis,.ant-pagination-jump-next:hover .ant-pagination-item-ellipsis,.ant-pagination-jump-prev:focus .ant-pagination-item-ellipsis,.ant-pagination-jump-prev:hover .ant-pagination-item-ellipsis{opacity:0}.ant-pagination-jump-next,.ant-pagination-jump-prev,.ant-pagination-prev{margin-right:8px}.ant-pagination-jump-next,.ant-pagination-jump-prev,.ant-pagination-next,.ant-pagination-prev{display:inline-block;min-width:32px;height:32px;color:rgba(0,0,0,.65);font-family:Arial;line-height:32px;text-align:center;vertical-align:middle;list-style:none;border-radius:4px;cursor:pointer;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-pagination-next,.ant-pagination-prev{outline:0}.ant-pagination-next a,.ant-pagination-prev a{color:rgba(0,0,0,.65);-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.ant-pagination-next:hover a,.ant-pagination-prev:hover a{border-color:#40a9ff}.ant-pagination-next .ant-pagination-item-link,.ant-pagination-prev .ant-pagination-item-link{display:block;height:100%;font-size:12px;text-align:center;background-color:#fff;border:1px solid #d9d9d9;border-radius:4px;outline:none;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ant-pagination-next:focus .ant-pagination-item-link,.ant-pagination-next:hover .ant-pagination-item-link,.ant-pagination-prev:focus .ant-pagination-item-link,.ant-pagination-prev:hover .ant-pagination-item-link{color:#1890ff;border-color:#1890ff}.ant-pagination-disabled,.ant-pagination-disabled:focus,.ant-pagination-disabled:hover{cursor:not-allowed}.ant-pagination-disabled .ant-pagination-item-link,.ant-pagination-disabled:focus .ant-pagination-item-link,.ant-pagination-disabled:focus a,.ant-pagination-disabled:hover .ant-pagination-item-link,.ant-pagination-disabled:hover a,.ant-pagination-disabled a{color:rgba(0,0,0,.25);border-color:#d9d9d9;cursor:not-allowed}.ant-pagination-slash{margin:0 10px 0 5px}.ant-pagination-options{display:inline-block;margin-left:16px;vertical-align:middle}.ant-pagination-options-size-changer.ant-select{display:inline-block;width:auto;margin-right:8px}.ant-pagination-options-quick-jumper{display:inline-block;height:32px;line-height:32px;vertical-align:top}.ant-pagination-options-quick-jumper input{position:relative;display:inline-block;width:100%;height:32px;padding:4px 11px;color:rgba(0,0,0,.65);font-size:14px;line-height:1.5;background-color:#fff;background-image:none;border:1px solid #d9d9d9;border-radius:4px;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s;width:50px;margin:0 8px}.ant-pagination-options-quick-jumper input::-moz-placeholder{color:#bfbfbf;opacity:1}.ant-pagination-options-quick-jumper input:-ms-input-placeholder{color:#bfbfbf}.ant-pagination-options-quick-jumper input::-webkit-input-placeholder{color:#bfbfbf}.ant-pagination-options-quick-jumper input:placeholder-shown{-o-text-overflow:ellipsis;text-overflow:ellipsis}.ant-pagination-options-quick-jumper input:focus,.ant-pagination-options-quick-jumper input:hover{border-color:#40a9ff;border-right-width:1px!important}.ant-pagination-options-quick-jumper input:focus{outline:0;-webkit-box-shadow:0 0 0 2px rgba(24,144,255,.2);box-shadow:0 0 0 2px rgba(24,144,255,.2)}.ant-pagination-options-quick-jumper input-disabled{color:rgba(0,0,0,.25);background-color:#f5f5f5;cursor:not-allowed;opacity:1}.ant-pagination-options-quick-jumper input-disabled:hover{border-color:#d9d9d9;border-right-width:1px!important}.ant-pagination-options-quick-jumper input[disabled]{color:rgba(0,0,0,.25);background-color:#f5f5f5;cursor:not-allowed;opacity:1}.ant-pagination-options-quick-jumper input[disabled]:hover{border-color:#d9d9d9;border-right-width:1px!important}textarea.ant-pagination-options-quick-jumper input{max-width:100%;height:auto;min-height:32px;line-height:1.5;vertical-align:bottom;-webkit-transition:all .3s,height 0s;-o-transition:all .3s,height 0s;transition:all .3s,height 0s}.ant-pagination-options-quick-jumper input-lg{height:40px;padding:6px 11px;font-size:16px}.ant-pagination-options-quick-jumper input-sm{height:24px;padding:1px 7px}.ant-pagination-simple .ant-pagination-next,.ant-pagination-simple .ant-pagination-prev{height:24px;line-height:24px;vertical-align:top}.ant-pagination-simple .ant-pagination-next .ant-pagination-item-link,.ant-pagination-simple .ant-pagination-prev .ant-pagination-item-link{height:24px;border:0}.ant-pagination-simple .ant-pagination-next .ant-pagination-item-link:after,.ant-pagination-simple .ant-pagination-prev .ant-pagination-item-link:after{height:24px;line-height:24px}.ant-pagination-simple .ant-pagination-simple-pager{display:inline-block;height:24px;margin-right:8px}.ant-pagination-simple .ant-pagination-simple-pager input{-webkit-box-sizing:border-box;box-sizing:border-box;height:100%;margin-right:8px;padding:0 6px;text-align:center;background-color:#fff;border:1px solid #d9d9d9;border-radius:4px;outline:none;-webkit-transition:border-color .3s;-o-transition:border-color .3s;transition:border-color .3s}.ant-pagination-simple .ant-pagination-simple-pager input:hover{border-color:#1890ff}.ant-pagination.mini .ant-pagination-simple-pager,.ant-pagination.mini .ant-pagination-total-text{height:24px;line-height:24px}.ant-pagination.mini .ant-pagination-item{min-width:24px;height:24px;margin:0;line-height:22px}.ant-pagination.mini .ant-pagination-item:not(.ant-pagination-item-active){background:transparent;border-color:transparent}.ant-pagination.mini .ant-pagination-next,.ant-pagination.mini .ant-pagination-prev{min-width:24px;height:24px;margin:0;line-height:24px}.ant-pagination.mini .ant-pagination-next .ant-pagination-item-link,.ant-pagination.mini .ant-pagination-prev .ant-pagination-item-link{background:transparent;border-color:transparent}.ant-pagination.mini .ant-pagination-next .ant-pagination-item-link:after,.ant-pagination.mini .ant-pagination-prev .ant-pagination-item-link:after{height:24px;line-height:24px}.ant-pagination.mini .ant-pagination-jump-next,.ant-pagination.mini .ant-pagination-jump-prev{height:24px;margin-right:0;line-height:24px}.ant-pagination.mini .ant-pagination-options{margin-left:2px}.ant-pagination.mini .ant-pagination-options-quick-jumper{height:24px;line-height:24px}.ant-pagination.mini .ant-pagination-options-quick-jumper input{height:24px;padding:1px 7px;width:44px}.ant-pagination.ant-pagination-disabled{cursor:not-allowed}.ant-pagination.ant-pagination-disabled .ant-pagination-item{background:#f5f5f5;border-color:#d9d9d9;cursor:not-allowed}.ant-pagination.ant-pagination-disabled .ant-pagination-item a{color:rgba(0,0,0,.25);background:transparent;border:none;cursor:not-allowed}.ant-pagination.ant-pagination-disabled .ant-pagination-item-active{background:#dbdbdb;border-color:transparent}.ant-pagination.ant-pagination-disabled .ant-pagination-item-active a{color:#fff}.ant-pagination.ant-pagination-disabled .ant-pagination-item-link,.ant-pagination.ant-pagination-disabled .ant-pagination-item-link:focus,.ant-pagination.ant-pagination-disabled .ant-pagination-item-link:hover{color:rgba(0,0,0,.45);background:#f5f5f5;border-color:#d9d9d9;cursor:not-allowed}.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:focus .ant-pagination-item-link-icon,.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:hover .ant-pagination-item-link-icon,.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:focus .ant-pagination-item-link-icon,.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:hover .ant-pagination-item-link-icon{opacity:0}.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:focus .ant-pagination-item-ellipsis,.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:hover .ant-pagination-item-ellipsis,.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:focus .ant-pagination-item-ellipsis,.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:hover .ant-pagination-item-ellipsis{opacity:1}@media only screen and (max-width:992px){.ant-pagination-item-after-jump-prev,.ant-pagination-item-before-jump-next{display:none}}@media only screen and (max-width:576px){.ant-pagination-options{display:none}}", "", {"version":3,"sources":["/Users/alec/educoder/public/react/node_modules/_antd@3.26.4@antd/lib/pagination/style/index.css"],"names":[],"mappings":"AAIA,gBACE,8BAA+B,AACvB,sBAAuB,AAG/B,sBAA2B,AAC3B,eAAgB,AAChB,0BAA2B,AAC3B,gBAAiB,AAEjB,qCAAsC,AAC9B,4BAA8B,CACvC,AACD,sDAVE,SAAU,AACV,UAAW,AAKX,eAAiB,CASlB,AACD,sBACE,cAAe,AACf,WAAY,AACZ,SAAU,AACV,gBAAiB,AACjB,kBAAmB,AACnB,WAAa,CACd,AAQD,gDANE,qBAAsB,AACtB,YAAa,AACb,iBAAkB,AAClB,iBAAkB,AAClB,qBAAuB,CAqBxB,AAnBD,qBAEE,eAAgB,AAGhB,kBAAmB,AAEnB,kBAAmB,AAEnB,gBAAiB,AACjB,sBAAuB,AACvB,yBAA0B,AAC1B,kBAAmB,AACnB,UAAW,AACX,eAAgB,AAChB,yBAA0B,AACvB,sBAAuB,AACtB,qBAAsB,AAClB,gBAAkB,CAC3B,AACD,uBACE,cAAe,AACf,cAAe,AACf,sBAA2B,AAC3B,wBAAyB,AACzB,mBAAoB,AACpB,eAAiB,CAClB,AACD,6BACE,oBAAsB,CACvB,AACD,sDAEE,qBAAsB,AACtB,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,0DAEE,aAAe,CAChB,AACD,4BACE,gBAAiB,AACjB,gBAAiB,AACjB,oBAAsB,CACvB,AACD,8BACE,aAAe,CAChB,AACD,oEAEE,oBAAsB,CACvB,AACD,wEAEE,aAAe,CAChB,AACD,oDAEE,SAAW,CACZ,AACD,kHAEE,iBAAmB,CACpB,AACD,gLAEE,qBAAsB,AACtB,eAAgB,AAChB,iBAAmB,AACnB,wCAAyC,AACrC,oCAAqC,AACjC,gCAAiC,AACzC,cAAe,AACf,oBAAqB,AACrB,UAAW,AACX,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,4LAEE,cAAgB,CACjB,AACD,wLAEE,MAAO,AACP,QAAS,AACT,SAAU,AACV,OAAQ,AACR,WAAa,CACd,AACD,8KAEE,kBAAmB,AACnB,MAAO,AACP,QAAS,AACT,SAAU,AACV,OAAQ,AACR,cAAe,AACf,YAAa,AACb,sBAA2B,AAC3B,mBAAoB,AACpB,kBAAmB,AACnB,kBAAoB,AACpB,UAAW,AACX,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,4PAIE,SAAW,CACZ,AACD,wPAIE,SAAW,CACZ,AACD,yEAGE,gBAAkB,CACnB,AACD,8FAIE,qBAAsB,AACtB,eAAgB,AAChB,YAAa,AACb,sBAA2B,AAC3B,kBAAmB,AACnB,iBAAkB,AAClB,kBAAmB,AACnB,sBAAuB,AACvB,gBAAiB,AACjB,kBAAmB,AACnB,eAAgB,AAChB,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,0CAEE,SAAW,CACZ,AACD,8CAEE,sBAA2B,AAC3B,yBAA0B,AACvB,sBAAuB,AACtB,qBAAsB,AAClB,gBAAkB,CAC3B,AACD,0DAEE,oBAAsB,CACvB,AACD,8FAEE,cAAe,AACf,YAAa,AACb,eAAgB,AAChB,kBAAmB,AACnB,sBAAuB,AACvB,yBAA0B,AAC1B,kBAAmB,AACnB,aAAc,AACd,2BAA6B,AAC7B,sBAAwB,AACxB,kBAAqB,CACtB,AACD,oNAIE,cAAe,AACf,oBAAsB,CACvB,AACD,uFAGE,kBAAoB,CACrB,AACD,kQAME,sBAA2B,AAC3B,qBAAsB,AACtB,kBAAoB,CACrB,AACD,sBACE,mBAAqB,CACtB,AACD,wBACE,qBAAsB,AACtB,iBAAkB,AAClB,qBAAuB,CACxB,AACD,gDACE,qBAAsB,AACtB,WAAY,AACZ,gBAAkB,CACnB,AACD,qCACE,qBAAsB,AACtB,YAAa,AACb,iBAAkB,AAClB,kBAAoB,CACrB,AACD,2CACE,kBAAmB,AACnB,qBAAsB,AACtB,WAAY,AACZ,YAAa,AACb,iBAAkB,AAClB,sBAA2B,AAC3B,eAAgB,AAChB,gBAAiB,AACjB,sBAAuB,AACvB,sBAAuB,AACvB,yBAA0B,AAC1B,kBAAmB,AACnB,2BAA6B,AAC7B,sBAAwB,AACxB,mBAAqB,AACrB,WAAY,AACZ,YAAc,CACf,AACD,6DACE,cAAe,AACf,SAAW,CACZ,AACD,iEACE,aAAe,CAChB,AACD,sEACE,aAAe,CAChB,AACD,6DACE,0BAA2B,AACxB,sBAAwB,CAC5B,AAKD,kGAHE,qBAAsB,AACtB,gCAAmC,CAQpC,AAND,iDAGE,UAAW,AACX,iDAAsD,AAC9C,wCAA8C,CACvD,AACD,oDACE,sBAA2B,AAC3B,yBAA0B,AAC1B,mBAAoB,AACpB,SAAW,CACZ,AACD,0DACE,qBAAsB,AACtB,gCAAmC,CACpC,AACD,qDACE,sBAA2B,AAC3B,yBAA0B,AAC1B,mBAAoB,AACpB,SAAW,CACZ,AACD,2DACE,qBAAsB,AACtB,gCAAmC,CACpC,AACD,mDACE,eAAgB,AAChB,YAAa,AACb,gBAAiB,AACjB,gBAAiB,AACjB,sBAAuB,AACvB,qCAAwC,AACxC,gCAAmC,AACnC,4BAAgC,CACjC,AACD,8CACE,YAAa,AACb,iBAAkB,AAClB,cAAgB,CACjB,AACD,8CACE,YAAa,AACb,eAAiB,CAClB,AACD,wFAEE,YAAa,AACb,iBAAkB,AAClB,kBAAoB,CACrB,AACD,4IAEE,YAAa,AACb,QAAU,CACX,AACD,wJAEE,YAAa,AACb,gBAAkB,CACnB,AACD,oDACE,qBAAsB,AACtB,YAAa,AACb,gBAAkB,CACnB,AACD,0DACE,8BAA+B,AACvB,sBAAuB,AAC/B,YAAa,AACb,iBAAkB,AAClB,cAAe,AACf,kBAAmB,AACnB,sBAAuB,AACvB,yBAA0B,AAC1B,kBAAmB,AACnB,aAAc,AACd,oCAAsC,AACtC,+BAAiC,AACjC,2BAA8B,CAC/B,AACD,gEACE,oBAAsB,CACvB,AACD,kGAEE,YAAa,AACb,gBAAkB,CACnB,AACD,0CACE,eAAgB,AAChB,YAAa,AACb,SAAU,AACV,gBAAkB,CACnB,AACD,2EACE,uBAAwB,AACxB,wBAA0B,CAC3B,AACD,oFAEE,eAAgB,AAChB,YAAa,AACb,SAAU,AACV,gBAAkB,CACnB,AACD,wIAEE,uBAAwB,AACxB,wBAA0B,CAC3B,AACD,oJAEE,YAAa,AACb,gBAAkB,CACnB,AACD,8FAEE,YAAa,AACb,eAAgB,AAChB,gBAAkB,CACnB,AACD,6CACE,eAAiB,CAClB,AACD,0DACE,YAAa,AACb,gBAAkB,CACnB,AACD,gEACE,YAAa,AACb,gBAAiB,AACjB,UAAY,CACb,AACD,wCACE,kBAAoB,CACrB,AACD,6DACE,mBAAoB,AACpB,qBAAsB,AACtB,kBAAoB,CACrB,AACD,+DACE,sBAA2B,AAC3B,uBAAwB,AACxB,YAAa,AACb,kBAAoB,CACrB,AACD,oEACE,mBAAoB,AACpB,wBAA0B,CAC3B,AACD,sEACE,UAAY,CACb,AACD,kNAGE,sBAA2B,AAC3B,mBAAoB,AACpB,qBAAsB,AACtB,kBAAoB,CACrB,AACD,4ZAIE,SAAW,CACZ,AACD,wZAIE,SAAW,CACZ,AACD,yCACE,2EAEE,YAAc,CACf,CACF,AACD,yCACE,wBACE,YAAc,CACf,CACF","file":"index.css","sourcesContent":["/* stylelint-disable at-rule-empty-line-before,at-rule-name-space-after,at-rule-no-unknown */\n/* stylelint-disable no-duplicate-selectors */\n/* stylelint-disable */\n/* stylelint-disable declaration-bang-space-before,no-duplicate-selectors,string-no-newline */\n.ant-pagination {\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n margin: 0;\n padding: 0;\n color: rgba(0, 0, 0, 0.65);\n font-size: 14px;\n font-variant: tabular-nums;\n line-height: 1.5;\n list-style: none;\n -webkit-font-feature-settings: 'tnum';\n font-feature-settings: 'tnum';\n}\n.ant-pagination ul,\n.ant-pagination ol {\n margin: 0;\n padding: 0;\n list-style: none;\n}\n.ant-pagination::after {\n display: block;\n clear: both;\n height: 0;\n overflow: hidden;\n visibility: hidden;\n content: ' ';\n}\n.ant-pagination-total-text {\n display: inline-block;\n height: 32px;\n margin-right: 8px;\n line-height: 30px;\n vertical-align: middle;\n}\n.ant-pagination-item {\n display: inline-block;\n min-width: 32px;\n height: 32px;\n margin-right: 8px;\n font-family: Arial;\n line-height: 30px;\n text-align: center;\n vertical-align: middle;\n list-style: none;\n background-color: #fff;\n border: 1px solid #d9d9d9;\n border-radius: 4px;\n outline: 0;\n cursor: pointer;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.ant-pagination-item a {\n display: block;\n padding: 0 6px;\n color: rgba(0, 0, 0, 0.65);\n -webkit-transition: none;\n -o-transition: none;\n transition: none;\n}\n.ant-pagination-item a:hover {\n text-decoration: none;\n}\n.ant-pagination-item:focus,\n.ant-pagination-item:hover {\n border-color: #1890ff;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-pagination-item:focus a,\n.ant-pagination-item:hover a {\n color: #1890ff;\n}\n.ant-pagination-item-active {\n font-weight: 500;\n background: #fff;\n border-color: #1890ff;\n}\n.ant-pagination-item-active a {\n color: #1890ff;\n}\n.ant-pagination-item-active:focus,\n.ant-pagination-item-active:hover {\n border-color: #40a9ff;\n}\n.ant-pagination-item-active:focus a,\n.ant-pagination-item-active:hover a {\n color: #40a9ff;\n}\n.ant-pagination-jump-prev,\n.ant-pagination-jump-next {\n outline: 0;\n}\n.ant-pagination-jump-prev .ant-pagination-item-container,\n.ant-pagination-jump-next .ant-pagination-item-container {\n position: relative;\n}\n.ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-link-icon,\n.ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-link-icon {\n display: inline-block;\n font-size: 12px;\n font-size: 12px \\9;\n -webkit-transform: scale(1) rotate(0deg);\n -ms-transform: scale(1) rotate(0deg);\n transform: scale(1) rotate(0deg);\n color: #1890ff;\n letter-spacing: -1px;\n opacity: 0;\n -webkit-transition: all 0.2s;\n -o-transition: all 0.2s;\n transition: all 0.2s;\n}\n:root .ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-link-icon,\n:root .ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-link-icon {\n font-size: 12px;\n}\n.ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-link-icon-svg,\n.ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-link-icon-svg {\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n margin: auto;\n}\n.ant-pagination-jump-prev .ant-pagination-item-container .ant-pagination-item-ellipsis,\n.ant-pagination-jump-next .ant-pagination-item-container .ant-pagination-item-ellipsis {\n position: absolute;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n display: block;\n margin: auto;\n color: rgba(0, 0, 0, 0.25);\n letter-spacing: 2px;\n text-align: center;\n text-indent: 0.13em;\n opacity: 1;\n -webkit-transition: all 0.2s;\n -o-transition: all 0.2s;\n transition: all 0.2s;\n}\n.ant-pagination-jump-prev:focus .ant-pagination-item-link-icon,\n.ant-pagination-jump-next:focus .ant-pagination-item-link-icon,\n.ant-pagination-jump-prev:hover .ant-pagination-item-link-icon,\n.ant-pagination-jump-next:hover .ant-pagination-item-link-icon {\n opacity: 1;\n}\n.ant-pagination-jump-prev:focus .ant-pagination-item-ellipsis,\n.ant-pagination-jump-next:focus .ant-pagination-item-ellipsis,\n.ant-pagination-jump-prev:hover .ant-pagination-item-ellipsis,\n.ant-pagination-jump-next:hover .ant-pagination-item-ellipsis {\n opacity: 0;\n}\n.ant-pagination-prev,\n.ant-pagination-jump-prev,\n.ant-pagination-jump-next {\n margin-right: 8px;\n}\n.ant-pagination-prev,\n.ant-pagination-next,\n.ant-pagination-jump-prev,\n.ant-pagination-jump-next {\n display: inline-block;\n min-width: 32px;\n height: 32px;\n color: rgba(0, 0, 0, 0.65);\n font-family: Arial;\n line-height: 32px;\n text-align: center;\n vertical-align: middle;\n list-style: none;\n border-radius: 4px;\n cursor: pointer;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-pagination-prev,\n.ant-pagination-next {\n outline: 0;\n}\n.ant-pagination-prev a,\n.ant-pagination-next a {\n color: rgba(0, 0, 0, 0.65);\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n}\n.ant-pagination-prev:hover a,\n.ant-pagination-next:hover a {\n border-color: #40a9ff;\n}\n.ant-pagination-prev .ant-pagination-item-link,\n.ant-pagination-next .ant-pagination-item-link {\n display: block;\n height: 100%;\n font-size: 12px;\n text-align: center;\n background-color: #fff;\n border: 1px solid #d9d9d9;\n border-radius: 4px;\n outline: none;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n}\n.ant-pagination-prev:focus .ant-pagination-item-link,\n.ant-pagination-next:focus .ant-pagination-item-link,\n.ant-pagination-prev:hover .ant-pagination-item-link,\n.ant-pagination-next:hover .ant-pagination-item-link {\n color: #1890ff;\n border-color: #1890ff;\n}\n.ant-pagination-disabled,\n.ant-pagination-disabled:hover,\n.ant-pagination-disabled:focus {\n cursor: not-allowed;\n}\n.ant-pagination-disabled a,\n.ant-pagination-disabled:hover a,\n.ant-pagination-disabled:focus a,\n.ant-pagination-disabled .ant-pagination-item-link,\n.ant-pagination-disabled:hover .ant-pagination-item-link,\n.ant-pagination-disabled:focus .ant-pagination-item-link {\n color: rgba(0, 0, 0, 0.25);\n border-color: #d9d9d9;\n cursor: not-allowed;\n}\n.ant-pagination-slash {\n margin: 0 10px 0 5px;\n}\n.ant-pagination-options {\n display: inline-block;\n margin-left: 16px;\n vertical-align: middle;\n}\n.ant-pagination-options-size-changer.ant-select {\n display: inline-block;\n width: auto;\n margin-right: 8px;\n}\n.ant-pagination-options-quick-jumper {\n display: inline-block;\n height: 32px;\n line-height: 32px;\n vertical-align: top;\n}\n.ant-pagination-options-quick-jumper input {\n position: relative;\n display: inline-block;\n width: 100%;\n height: 32px;\n padding: 4px 11px;\n color: rgba(0, 0, 0, 0.65);\n font-size: 14px;\n line-height: 1.5;\n background-color: #fff;\n background-image: none;\n border: 1px solid #d9d9d9;\n border-radius: 4px;\n -webkit-transition: all 0.3s;\n -o-transition: all 0.3s;\n transition: all 0.3s;\n width: 50px;\n margin: 0 8px;\n}\n.ant-pagination-options-quick-jumper input::-moz-placeholder {\n color: #bfbfbf;\n opacity: 1;\n}\n.ant-pagination-options-quick-jumper input:-ms-input-placeholder {\n color: #bfbfbf;\n}\n.ant-pagination-options-quick-jumper input::-webkit-input-placeholder {\n color: #bfbfbf;\n}\n.ant-pagination-options-quick-jumper input:placeholder-shown {\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n}\n.ant-pagination-options-quick-jumper input:hover {\n border-color: #40a9ff;\n border-right-width: 1px !important;\n}\n.ant-pagination-options-quick-jumper input:focus {\n border-color: #40a9ff;\n border-right-width: 1px !important;\n outline: 0;\n -webkit-box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);\n box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);\n}\n.ant-pagination-options-quick-jumper input-disabled {\n color: rgba(0, 0, 0, 0.25);\n background-color: #f5f5f5;\n cursor: not-allowed;\n opacity: 1;\n}\n.ant-pagination-options-quick-jumper input-disabled:hover {\n border-color: #d9d9d9;\n border-right-width: 1px !important;\n}\n.ant-pagination-options-quick-jumper input[disabled] {\n color: rgba(0, 0, 0, 0.25);\n background-color: #f5f5f5;\n cursor: not-allowed;\n opacity: 1;\n}\n.ant-pagination-options-quick-jumper input[disabled]:hover {\n border-color: #d9d9d9;\n border-right-width: 1px !important;\n}\ntextarea.ant-pagination-options-quick-jumper input {\n max-width: 100%;\n height: auto;\n min-height: 32px;\n line-height: 1.5;\n vertical-align: bottom;\n -webkit-transition: all 0.3s, height 0s;\n -o-transition: all 0.3s, height 0s;\n transition: all 0.3s, height 0s;\n}\n.ant-pagination-options-quick-jumper input-lg {\n height: 40px;\n padding: 6px 11px;\n font-size: 16px;\n}\n.ant-pagination-options-quick-jumper input-sm {\n height: 24px;\n padding: 1px 7px;\n}\n.ant-pagination-simple .ant-pagination-prev,\n.ant-pagination-simple .ant-pagination-next {\n height: 24px;\n line-height: 24px;\n vertical-align: top;\n}\n.ant-pagination-simple .ant-pagination-prev .ant-pagination-item-link,\n.ant-pagination-simple .ant-pagination-next .ant-pagination-item-link {\n height: 24px;\n border: 0;\n}\n.ant-pagination-simple .ant-pagination-prev .ant-pagination-item-link::after,\n.ant-pagination-simple .ant-pagination-next .ant-pagination-item-link::after {\n height: 24px;\n line-height: 24px;\n}\n.ant-pagination-simple .ant-pagination-simple-pager {\n display: inline-block;\n height: 24px;\n margin-right: 8px;\n}\n.ant-pagination-simple .ant-pagination-simple-pager input {\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n height: 100%;\n margin-right: 8px;\n padding: 0 6px;\n text-align: center;\n background-color: #fff;\n border: 1px solid #d9d9d9;\n border-radius: 4px;\n outline: none;\n -webkit-transition: border-color 0.3s;\n -o-transition: border-color 0.3s;\n transition: border-color 0.3s;\n}\n.ant-pagination-simple .ant-pagination-simple-pager input:hover {\n border-color: #1890ff;\n}\n.ant-pagination.mini .ant-pagination-total-text,\n.ant-pagination.mini .ant-pagination-simple-pager {\n height: 24px;\n line-height: 24px;\n}\n.ant-pagination.mini .ant-pagination-item {\n min-width: 24px;\n height: 24px;\n margin: 0;\n line-height: 22px;\n}\n.ant-pagination.mini .ant-pagination-item:not(.ant-pagination-item-active) {\n background: transparent;\n border-color: transparent;\n}\n.ant-pagination.mini .ant-pagination-prev,\n.ant-pagination.mini .ant-pagination-next {\n min-width: 24px;\n height: 24px;\n margin: 0;\n line-height: 24px;\n}\n.ant-pagination.mini .ant-pagination-prev .ant-pagination-item-link,\n.ant-pagination.mini .ant-pagination-next .ant-pagination-item-link {\n background: transparent;\n border-color: transparent;\n}\n.ant-pagination.mini .ant-pagination-prev .ant-pagination-item-link::after,\n.ant-pagination.mini .ant-pagination-next .ant-pagination-item-link::after {\n height: 24px;\n line-height: 24px;\n}\n.ant-pagination.mini .ant-pagination-jump-prev,\n.ant-pagination.mini .ant-pagination-jump-next {\n height: 24px;\n margin-right: 0;\n line-height: 24px;\n}\n.ant-pagination.mini .ant-pagination-options {\n margin-left: 2px;\n}\n.ant-pagination.mini .ant-pagination-options-quick-jumper {\n height: 24px;\n line-height: 24px;\n}\n.ant-pagination.mini .ant-pagination-options-quick-jumper input {\n height: 24px;\n padding: 1px 7px;\n width: 44px;\n}\n.ant-pagination.ant-pagination-disabled {\n cursor: not-allowed;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-item {\n background: #f5f5f5;\n border-color: #d9d9d9;\n cursor: not-allowed;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-item a {\n color: rgba(0, 0, 0, 0.25);\n background: transparent;\n border: none;\n cursor: not-allowed;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-item-active {\n background: #dbdbdb;\n border-color: transparent;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-item-active a {\n color: #fff;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-item-link,\n.ant-pagination.ant-pagination-disabled .ant-pagination-item-link:hover,\n.ant-pagination.ant-pagination-disabled .ant-pagination-item-link:focus {\n color: rgba(0, 0, 0, 0.45);\n background: #f5f5f5;\n border-color: #d9d9d9;\n cursor: not-allowed;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:focus .ant-pagination-item-link-icon,\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:focus .ant-pagination-item-link-icon,\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:hover .ant-pagination-item-link-icon,\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:hover .ant-pagination-item-link-icon {\n opacity: 0;\n}\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:focus .ant-pagination-item-ellipsis,\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:focus .ant-pagination-item-ellipsis,\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-prev:hover .ant-pagination-item-ellipsis,\n.ant-pagination.ant-pagination-disabled .ant-pagination-jump-next:hover .ant-pagination-item-ellipsis {\n opacity: 1;\n}\n@media only screen and (max-width: 992px) {\n .ant-pagination-item-after-jump-prev,\n .ant-pagination-item-before-jump-next {\n display: none;\n }\n}\n@media only screen and (max-width: 576px) {\n .ant-pagination-options {\n display: none;\n }\n}\n"],"sourceRoot":""}]); // exports /***/ }), /***/ 911: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _rcPagination = _interopRequireDefault(__webpack_require__(860)); var _en_US = _interopRequireDefault(__webpack_require__(306)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _MiniSelect = _interopRequireDefault(__webpack_require__(912)); var _icon = _interopRequireDefault(__webpack_require__(25)); var _select = _interopRequireDefault(__webpack_require__(293)); var _LocaleReceiver = _interopRequireDefault(__webpack_require__(70)); var _configProvider = __webpack_require__(9); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; var Pagination = /*#__PURE__*/ function (_React$Component) { _inherits(Pagination, _React$Component); function Pagination() { var _this; _classCallCheck(this, Pagination); _this = _possibleConstructorReturn(this, _getPrototypeOf(Pagination).apply(this, arguments)); _this.getIconsProps = function (prefixCls) { var prevIcon = React.createElement("a", { className: "".concat(prefixCls, "-item-link") }, React.createElement(_icon["default"], { type: "left" })); var nextIcon = React.createElement("a", { className: "".concat(prefixCls, "-item-link") }, React.createElement(_icon["default"], { type: "right" })); var jumpPrevIcon = React.createElement("a", { className: "".concat(prefixCls, "-item-link") }, React.createElement("div", { className: "".concat(prefixCls, "-item-container") }, React.createElement(_icon["default"], { className: "".concat(prefixCls, "-item-link-icon"), type: "double-left" }), React.createElement("span", { className: "".concat(prefixCls, "-item-ellipsis") }, "\u2022\u2022\u2022"))); var jumpNextIcon = React.createElement("a", { className: "".concat(prefixCls, "-item-link") }, React.createElement("div", { className: "".concat(prefixCls, "-item-container") }, React.createElement(_icon["default"], { className: "".concat(prefixCls, "-item-link-icon"), type: "double-right" }), React.createElement("span", { className: "".concat(prefixCls, "-item-ellipsis") }, "\u2022\u2022\u2022"))); return { prevIcon: prevIcon, nextIcon: nextIcon, jumpPrevIcon: jumpPrevIcon, jumpNextIcon: jumpNextIcon }; }; _this.renderPagination = function (contextLocale) { var _a = _this.props, customizePrefixCls = _a.prefixCls, customizeSelectPrefixCls = _a.selectPrefixCls, className = _a.className, size = _a.size, customLocale = _a.locale, restProps = __rest(_a, ["prefixCls", "selectPrefixCls", "className", "size", "locale"]); var locale = _extends(_extends({}, contextLocale), customLocale); var isSmall = size === 'small'; return React.createElement(_configProvider.ConfigConsumer, null, function (_ref) { var getPrefixCls = _ref.getPrefixCls; var prefixCls = getPrefixCls('pagination', customizePrefixCls); var selectPrefixCls = getPrefixCls('select', customizeSelectPrefixCls); return React.createElement(_rcPagination["default"], _extends({}, restProps, { prefixCls: prefixCls, selectPrefixCls: selectPrefixCls }, _this.getIconsProps(prefixCls), { className: (0, _classnames["default"])(className, { mini: isSmall }), selectComponentClass: isSmall ? _MiniSelect["default"] : _select["default"], locale: locale })); }); }; return _this; } _createClass(Pagination, [{ key: "render", value: function render() { return React.createElement(_LocaleReceiver["default"], { componentName: "Pagination", defaultLocale: _en_US["default"] }, this.renderPagination); } }]); return Pagination; }(React.Component); exports["default"] = Pagination; //# sourceMappingURL=Pagination.js.map /***/ }), /***/ 912: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _select = _interopRequireDefault(__webpack_require__(293)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var MiniSelect = /*#__PURE__*/ function (_React$Component) { _inherits(MiniSelect, _React$Component); function MiniSelect() { _classCallCheck(this, MiniSelect); return _possibleConstructorReturn(this, _getPrototypeOf(MiniSelect).apply(this, arguments)); } _createClass(MiniSelect, [{ key: "render", value: function render() { return React.createElement(_select["default"], _extends({ size: "small" }, this.props)); } }]); return MiniSelect; }(React.Component); exports["default"] = MiniSelect; MiniSelect.Option = _select["default"].Option; //# sourceMappingURL=MiniSelect.js.map /***/ }), /***/ 920: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var _dropdown = _interopRequireDefault(__webpack_require__(865)); var _dropdownButton = _interopRequireDefault(__webpack_require__(1042)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } _dropdown["default"].Button = _dropdownButton["default"]; var _default = _dropdown["default"]; exports["default"] = _default; //# sourceMappingURL=index.js.map /***/ }), /***/ 924: /***/ (function(module, exports, __webpack_require__) { "use strict"; __webpack_require__(27); __webpack_require__(1036); __webpack_require__(87); //# sourceMappingURL=css.js.map /***/ }), /***/ 926: /***/ (function(module, exports, __webpack_require__) { var root = __webpack_require__(162); /** Built-in value references. */ var Uint8Array = root.Uint8Array; module.exports = Uint8Array; /***/ }), /***/ 927: /***/ (function(module, exports) { /** * Creates a unary function that invokes `func` with its argument transformed. * * @private * @param {Function} func The function to wrap. * @param {Function} transform The argument transform. * @returns {Function} Returns the new function. */ function overArg(func, transform) { return function(arg) { return func(transform(arg)); }; } module.exports = overArg; /***/ }), /***/ 928: /***/ (function(module, exports, __webpack_require__) { var baseTimes = __webpack_require__(949), isArguments = __webpack_require__(836), isArray = __webpack_require__(815), isBuffer = __webpack_require__(851), isIndex = __webpack_require__(824), isTypedArray = __webpack_require__(852); /** Used for built-in method references. */ var objectProto = Object.prototype; /** Used to check objects for own properties. */ var hasOwnProperty = objectProto.hasOwnProperty; /** * Creates an array of the enumerable property names of the array-like `value`. * * @private * @param {*} value The value to query. * @param {boolean} inherited Specify returning inherited property names. * @returns {Array} Returns the array of property names. */ function arrayLikeKeys(value, inherited) { var isArr = isArray(value), isArg = !isArr && isArguments(value), isBuff = !isArr && !isArg && isBuffer(value), isType = !isArr && !isArg && !isBuff && isTypedArray(value), skipIndexes = isArr || isArg || isBuff || isType, result = skipIndexes ? baseTimes(value.length, String) : [], length = result.length; for (var key in value) { if ((inherited || hasOwnProperty.call(value, key)) && !(skipIndexes && ( // Safari 9 has enumerable `arguments.length` in strict mode. key == 'length' || // Node.js 0.10 has enumerable non-index properties on buffers. (isBuff && (key == 'offset' || key == 'parent')) || // PhantomJS 2 has enumerable non-index properties on typed arrays. (isType && (key == 'buffer' || key == 'byteLength' || key == 'byteOffset')) || // Skip index properties. isIndex(key, length) ))) { result.push(key); } } return result; } module.exports = arrayLikeKeys; /***/ }), /***/ 929: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; // ================== Collapse Motion ================== var getCollapsedHeight = function getCollapsedHeight() { return { height: 0, opacity: 0 }; }; var getRealHeight = function getRealHeight(node) { return { height: node.scrollHeight, opacity: 1 }; }; var getCurrentHeight = function getCurrentHeight(node) { return { height: node.offsetHeight }; }; var collapseMotion = { motionName: 'ant-motion-collapse', onAppearStart: getCollapsedHeight, onEnterStart: getCollapsedHeight, onAppearActive: getRealHeight, onEnterActive: getRealHeight, onLeaveStart: getCurrentHeight, onLeaveActive: getCollapsedHeight }; var _default = collapseMotion; exports["default"] = _default; //# sourceMappingURL=motion.js.map /***/ }), /***/ 933: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = exports.LayoutContext = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _createReactContext = _interopRequireDefault(__webpack_require__(294)); var _configProvider = __webpack_require__(9); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function () { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || typeof obj !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _nonIterableSpread(); } function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance"); } function _iterableToArray(iter) { if (Symbol.iterator in Object(iter) || Object.prototype.toString.call(iter) === "[object Arguments]") return Array.from(iter); } function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = new Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; var LayoutContext = (0, _createReactContext["default"])({ siderHook: { addSider: function addSider() { return null; }, removeSider: function removeSider() { return null; } } }); exports.LayoutContext = LayoutContext; function generator(_ref) { var suffixCls = _ref.suffixCls, tagName = _ref.tagName; return function (BasicComponent) { return ( /*#__PURE__*/ function (_React$Component) { _inherits(Adapter, _React$Component); function Adapter() { var _this; _classCallCheck(this, Adapter); _this = _possibleConstructorReturn(this, _getPrototypeOf(Adapter).apply(this, arguments)); _this.renderComponent = function (_ref2) { var getPrefixCls = _ref2.getPrefixCls; var customizePrefixCls = _this.props.prefixCls; var prefixCls = getPrefixCls(suffixCls, customizePrefixCls); return React.createElement(BasicComponent, _extends({ prefixCls: prefixCls, tagName: tagName }, _this.props)); }; return _this; } _createClass(Adapter, [{ key: "render", value: function render() { return React.createElement(_configProvider.ConfigConsumer, null, this.renderComponent); } }]); return Adapter; }(React.Component) ); }; } var Basic = function Basic(props) { var prefixCls = props.prefixCls, className = props.className, children = props.children, tagName = props.tagName, others = __rest(props, ["prefixCls", "className", "children", "tagName"]); var classString = (0, _classnames["default"])(className, prefixCls); return React.createElement(tagName, _extends({ className: classString }, others), children); }; var BasicLayout = /*#__PURE__*/ function (_React$Component2) { _inherits(BasicLayout, _React$Component2); function BasicLayout() { var _this2; _classCallCheck(this, BasicLayout); _this2 = _possibleConstructorReturn(this, _getPrototypeOf(BasicLayout).apply(this, arguments)); _this2.state = { siders: [] }; return _this2; } _createClass(BasicLayout, [{ key: "getSiderHook", value: function getSiderHook() { var _this3 = this; return { addSider: function addSider(id) { _this3.setState(function (state) { return { siders: [].concat(_toConsumableArray(state.siders), [id]) }; }); }, removeSider: function removeSider(id) { _this3.setState(function (state) { return { siders: state.siders.filter(function (currentId) { return currentId !== id; }) }; }); } }; } }, { key: "render", value: function render() { var _a = this.props, prefixCls = _a.prefixCls, className = _a.className, children = _a.children, hasSider = _a.hasSider, Tag = _a.tagName, others = __rest(_a, ["prefixCls", "className", "children", "hasSider", "tagName"]); var classString = (0, _classnames["default"])(className, prefixCls, _defineProperty({}, "".concat(prefixCls, "-has-sider"), typeof hasSider === 'boolean' ? hasSider : this.state.siders.length > 0)); return React.createElement(LayoutContext.Provider, { value: { siderHook: this.getSiderHook() } }, React.createElement(Tag, _extends({ className: classString }, others), children)); } }]); return BasicLayout; }(React.Component); var Layout = generator({ suffixCls: 'layout', tagName: 'section' })(BasicLayout); var Header = generator({ suffixCls: 'layout-header', tagName: 'header' })(Basic); var Footer = generator({ suffixCls: 'layout-footer', tagName: 'footer' })(Basic); var Content = generator({ suffixCls: 'layout-content', tagName: 'main' })(Basic); Layout.Header = Header; Layout.Footer = Footer; Layout.Content = Content; var _default = Layout; exports["default"] = _default; //# sourceMappingURL=layout.js.map /***/ }), /***/ 936: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (immutable) */ __webpack_exports__["a"] = localize; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function _format(message, args) { var result; if (args.length === 0) { result = message; } else { result = message.replace(/\{(\d+)\}/g, function (match, rest) { var index = rest[0]; return typeof args[index] !== 'undefined' ? args[index] : match; }); } return result; } function localize(data, message) { var args = []; for (var _i = 2; _i < arguments.length; _i++) { args[_i - 2] = arguments[_i]; } return _format(message, args); } /***/ }), /***/ 937: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "c", function() { return IThemeService; }); /* harmony export (immutable) */ __webpack_exports__["f"] = themeColorFromId; /* unused harmony export DARK */ /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "b", function() { return HIGH_CONTRAST; }); /* harmony export (immutable) */ __webpack_exports__["d"] = getThemeTypeSelector; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return Extensions; }); /* harmony export (immutable) */ __webpack_exports__["e"] = registerThemingParticipant; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__ = __webpack_require__(855); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__ = __webpack_require__(825); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__registry_common_platform_js__ = __webpack_require__(1203); /* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__ = __webpack_require__(833); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var IThemeService = Object(__WEBPACK_IMPORTED_MODULE_0__instantiation_common_instantiation_js__["c" /* createDecorator */])('themeService'); function themeColorFromId(id) { return { id: id }; } // base themes var DARK = 'dark'; var HIGH_CONTRAST = 'hc'; function getThemeTypeSelector(type) { switch (type) { case DARK: return 'vs-dark'; case HIGH_CONTRAST: return 'hc-black'; default: return 'vs'; } } // static theming participant var Extensions = { ThemingContribution: 'base.contributions.theming' }; var ThemingRegistry = /** @class */ (function () { function ThemingRegistry() { this.themingParticipants = []; this.themingParticipants = []; this.onThemingParticipantAddedEmitter = new __WEBPACK_IMPORTED_MODULE_3__base_common_event_js__["a" /* Emitter */](); } ThemingRegistry.prototype.onThemeChange = function (participant) { var _this = this; this.themingParticipants.push(participant); this.onThemingParticipantAddedEmitter.fire(participant); return Object(__WEBPACK_IMPORTED_MODULE_1__base_common_lifecycle_js__["e" /* toDisposable */])(function () { var idx = _this.themingParticipants.indexOf(participant); _this.themingParticipants.splice(idx, 1); }); }; ThemingRegistry.prototype.getThemingParticipants = function () { return this.themingParticipants; }; return ThemingRegistry; }()); var themingRegistry = new ThemingRegistry(); __WEBPACK_IMPORTED_MODULE_2__registry_common_platform_js__["a" /* Registry */].add(Extensions.ThemingContribution, themingRegistry); function registerThemingParticipant(participant) { return themingRegistry.onThemeChange(participant); } /***/ }), /***/ 939: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var isNumeric = function isNumeric(value) { return !isNaN(parseFloat(value)) && isFinite(value); }; var _default = isNumeric; exports["default"] = _default; //# sourceMappingURL=isNumeric.js.map /***/ }), /***/ 940: /***/ (function(module, exports, __webpack_require__) { var ListCache = __webpack_require__(822); /** * Removes all key-value entries from the stack. * * @private * @name clear * @memberOf Stack */ function stackClear() { this.__data__ = new ListCache; this.size = 0; } module.exports = stackClear; /***/ }), /***/ 941: /***/ (function(module, exports) { /** * Removes `key` and its value from the stack. * * @private * @name delete * @memberOf Stack * @param {string} key The key of the value to remove. * @returns {boolean} Returns `true` if the entry was removed, else `false`. */ function stackDelete(key) { var data = this.__data__, result = data['delete'](key); this.size = data.size; return result; } module.exports = stackDelete; /***/ }), /***/ 942: /***/ (function(module, exports) { /** * Gets the stack value for `key`. * * @private * @name get * @memberOf Stack * @param {string} key The key of the value to get. * @returns {*} Returns the entry value. */ function stackGet(key) { return this.__data__.get(key); } module.exports = stackGet; /***/ }), /***/ 943: /***/ (function(module, exports) { /** * Checks if a stack value for `key` exists. * * @private * @name has * @memberOf Stack * @param {string} key The key of the entry to check. * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. */ function stackHas(key) { return this.__data__.has(key); } module.exports = stackHas; /***/ }), /***/ 944: /***/ (function(module, exports, __webpack_require__) { var ListCache = __webpack_require__(822), Map = __webpack_require__(829), MapCache = __webpack_require__(830); /** Used as the size to enable large array optimizations. */ var LARGE_ARRAY_SIZE = 200; /** * Sets the stack `key` to `value`. * * @private * @name set * @memberOf Stack * @param {string} key The key of the value to set. * @param {*} value The value to set. * @returns {Object} Returns the stack cache instance. */ function stackSet(key, value) { var data = this.__data__; if (data instanceof ListCache) { var pairs = data.__data__; if (!Map || (pairs.length < LARGE_ARRAY_SIZE - 1)) { pairs.push([key, value]); this.size = ++data.size; return this; } data = this.__data__ = new MapCache(pairs); } data.set(key, value); this.size = data.size; return this; } module.exports = stackSet; /***/ }), /***/ 945: /***/ (function(module, exports) { /** * This method returns `false`. * * @static * @memberOf _ * @since 4.13.0 * @category Util * @returns {boolean} Returns `false`. * @example * * _.times(2, _.stubFalse); * // => [false, false] */ function stubFalse() { return false; } module.exports = stubFalse; /***/ }), /***/ 946: /***/ (function(module, exports, __webpack_require__) { var baseGetTag = __webpack_require__(297), isLength = __webpack_require__(828), isObjectLike = __webpack_require__(296); /** `Object#toString` result references. */ var argsTag = '[object Arguments]', arrayTag = '[object Array]', boolTag = '[object Boolean]', dateTag = '[object Date]', errorTag = '[object Error]', funcTag = '[object Function]', mapTag = '[object Map]', numberTag = '[object Number]', objectTag = '[object Object]', regexpTag = '[object RegExp]', setTag = '[object Set]', stringTag = '[object String]', weakMapTag = '[object WeakMap]'; var arrayBufferTag = '[object ArrayBuffer]', dataViewTag = '[object DataView]', float32Tag = '[object Float32Array]', float64Tag = '[object Float64Array]', int8Tag = '[object Int8Array]', int16Tag = '[object Int16Array]', int32Tag = '[object Int32Array]', uint8Tag = '[object Uint8Array]', uint8ClampedTag = '[object Uint8ClampedArray]', uint16Tag = '[object Uint16Array]', uint32Tag = '[object Uint32Array]'; /** Used to identify `toStringTag` values of typed arrays. */ var typedArrayTags = {}; typedArrayTags[float32Tag] = typedArrayTags[float64Tag] = typedArrayTags[int8Tag] = typedArrayTags[int16Tag] = typedArrayTags[int32Tag] = typedArrayTags[uint8Tag] = typedArrayTags[uint8ClampedTag] = typedArrayTags[uint16Tag] = typedArrayTags[uint32Tag] = true; typedArrayTags[argsTag] = typedArrayTags[arrayTag] = typedArrayTags[arrayBufferTag] = typedArrayTags[boolTag] = typedArrayTags[dataViewTag] = typedArrayTags[dateTag] = typedArrayTags[errorTag] = typedArrayTags[funcTag] = typedArrayTags[mapTag] = typedArrayTags[numberTag] = typedArrayTags[objectTag] = typedArrayTags[regexpTag] = typedArrayTags[setTag] = typedArrayTags[stringTag] = typedArrayTags[weakMapTag] = false; /** * The base implementation of `_.isTypedArray` without Node.js optimizations. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a typed array, else `false`. */ function baseIsTypedArray(value) { return isObjectLike(value) && isLength(value.length) && !!typedArrayTags[baseGetTag(value)]; } module.exports = baseIsTypedArray; /***/ }), /***/ 947: /***/ (function(module, exports) { /** * The base implementation of `_.unary` without support for storing metadata. * * @private * @param {Function} func The function to cap arguments for. * @returns {Function} Returns the new capped function. */ function baseUnary(func) { return function(value) { return func(value); }; } module.exports = baseUnary; /***/ }), /***/ 948: /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(module) {var freeGlobal = __webpack_require__(310); /** Detect free variable `exports`. */ var freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports; /** Detect free variable `module`. */ var freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module; /** Detect the popular CommonJS extension `module.exports`. */ var moduleExports = freeModule && freeModule.exports === freeExports; /** Detect free variable `process` from Node.js. */ var freeProcess = moduleExports && freeGlobal.process; /** Used to access faster Node.js helpers. */ var nodeUtil = (function() { try { // Use `util.types` for Node.js 10+. var types = freeModule && freeModule.require && freeModule.require('util').types; if (types) { return types; } // Legacy `process.binding('util')` for Node.js < 10. return freeProcess && freeProcess.binding && freeProcess.binding('util'); } catch (e) {} }()); module.exports = nodeUtil; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(300)(module))) /***/ }), /***/ 949: /***/ (function(module, exports) { /** * The base implementation of `_.times` without support for iteratee shorthands * or max array length checks. * * @private * @param {number} n The number of times to invoke `iteratee`. * @param {Function} iteratee The function invoked per iteration. * @returns {Array} Returns the array of results. */ function baseTimes(n, iteratee) { var index = -1, result = Array(n); while (++index < n) { result[index] = iteratee(index); } return result; } module.exports = baseTimes; /***/ }), /***/ 954: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var PropTypes = _interopRequireWildcard(__webpack_require__(1)); var _rcMenu = __webpack_require__(167); var _classnames = _interopRequireDefault(__webpack_require__(3)); var _MenuContext = _interopRequireDefault(__webpack_require__(838)); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var SubMenu = /*#__PURE__*/ function (_React$Component) { _inherits(SubMenu, _React$Component); function SubMenu() { var _this; _classCallCheck(this, SubMenu); _this = _possibleConstructorReturn(this, _getPrototypeOf(SubMenu).apply(this, arguments)); _this.onKeyDown = function (e) { _this.subMenu.onKeyDown(e); }; _this.saveSubMenu = function (subMenu) { _this.subMenu = subMenu; }; return _this; } _createClass(SubMenu, [{ key: "render", value: function render() { var _this2 = this; var _this$props = this.props, rootPrefixCls = _this$props.rootPrefixCls, popupClassName = _this$props.popupClassName; return React.createElement(_MenuContext["default"].Consumer, null, function (_ref) { var antdMenuTheme = _ref.antdMenuTheme; return React.createElement(_rcMenu.SubMenu, _extends({}, _this2.props, { ref: _this2.saveSubMenu, popupClassName: (0, _classnames["default"])("".concat(rootPrefixCls, "-").concat(antdMenuTheme), popupClassName) })); }); } }]); return SubMenu; }(React.Component); SubMenu.contextTypes = { antdMenuTheme: PropTypes.string }; // fix issue:https://github.com/ant-design/ant-design/issues/8666 SubMenu.isSubMenu = 1; var _default = SubMenu; exports["default"] = _default; //# sourceMappingURL=SubMenu.js.map /***/ }), /***/ 955: /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports["default"] = void 0; var React = _interopRequireWildcard(__webpack_require__(0)); var _rcMenu = __webpack_require__(167); var _MenuContext = _interopRequireDefault(__webpack_require__(838)); var _tooltip = _interopRequireDefault(__webpack_require__(164)); var _Sider = __webpack_require__(857); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _getRequireWildcardCache() { if (typeof WeakMap !== "function") return null; var cache = new WeakMap(); _getRequireWildcardCache = function _getRequireWildcardCache() { return cache; }; return cache; } function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { "default": obj }; } var cache = _getRequireWildcardCache(); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { Object.defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj["default"] = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return _assertThisInitialized(self); } function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); } function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } var __rest = void 0 && (void 0).__rest || function (s, e) { var t = {}; for (var p in s) { if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; } if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; }; var MenuItem = /*#__PURE__*/ function (_React$Component) { _inherits(MenuItem, _React$Component); function MenuItem() { var _this; _classCallCheck(this, MenuItem); _this = _possibleConstructorReturn(this, _getPrototypeOf(MenuItem).apply(this, arguments)); _this.onKeyDown = function (e) { _this.menuItem.onKeyDown(e); }; _this.saveMenuItem = function (menuItem) { _this.menuItem = menuItem; }; _this.renderItem = function (_ref) { var siderCollapsed = _ref.siderCollapsed; var _this$props = _this.props, level = _this$props.level, children = _this$props.children, rootPrefixCls = _this$props.rootPrefixCls; var _a = _this.props, title = _a.title, rest = __rest(_a, ["title"]); return React.createElement(_MenuContext["default"].Consumer, null, function (_ref2) { var inlineCollapsed = _ref2.inlineCollapsed; var tooltipProps = { title: title || (level === 1 ? children : '') }; if (!siderCollapsed && !inlineCollapsed) { tooltipProps.title = null; // Reset `visible` to fix control mode tooltip display not correct // ref: https://github.com/ant-design/ant-design/issues/16742 tooltipProps.visible = false; } return React.createElement(_tooltip["default"], _extends({}, tooltipProps, { placement: "right", overlayClassName: "".concat(rootPrefixCls, "-inline-collapsed-tooltip") }), React.createElement(_rcMenu.Item, _extends({}, rest, { title: title, ref: _this.saveMenuItem }))); }); }; return _this; } _createClass(MenuItem, [{ key: "render", value: function render() { return React.createElement(_Sider.SiderContext.Consumer, null, this.renderItem); } }]); return MenuItem; }(React.Component); exports["default"] = MenuItem; MenuItem.isMenuItem = true; //# sourceMappingURL=MenuItem.js.map /***/ }), /***/ 956: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* unused harmony export ErrorHandler */ /* unused harmony export errorHandler */ /* harmony export (immutable) */ __webpack_exports__["e"] = onUnexpectedError; /* unused harmony export onUnexpectedExternalError */ /* harmony export (immutable) */ __webpack_exports__["f"] = transformErrorForSerialization; /* harmony export (immutable) */ __webpack_exports__["d"] = isPromiseCanceledError; /* harmony export (immutable) */ __webpack_exports__["a"] = canceled; /* harmony export (immutable) */ __webpack_exports__["b"] = illegalArgument; /* harmony export (immutable) */ __webpack_exports__["c"] = illegalState; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // Avoid circular dependency on EventEmitter by implementing a subset of the interface. var ErrorHandler = /** @class */ (function () { function ErrorHandler() { this.listeners = []; this.unexpectedErrorHandler = function (e) { setTimeout(function () { if (e.stack) { throw new Error(e.message + '\n\n' + e.stack); } throw e; }, 0); }; } ErrorHandler.prototype.emit = function (e) { this.listeners.forEach(function (listener) { listener(e); }); }; ErrorHandler.prototype.onUnexpectedError = function (e) { this.unexpectedErrorHandler(e); this.emit(e); }; // For external errors, we don't want the listeners to be called ErrorHandler.prototype.onUnexpectedExternalError = function (e) { this.unexpectedErrorHandler(e); }; return ErrorHandler; }()); var errorHandler = new ErrorHandler(); function onUnexpectedError(e) { // ignore errors from cancelled promises if (!isPromiseCanceledError(e)) { errorHandler.onUnexpectedError(e); } return undefined; } function onUnexpectedExternalError(e) { // ignore errors from cancelled promises if (!isPromiseCanceledError(e)) { errorHandler.onUnexpectedExternalError(e); } return undefined; } function transformErrorForSerialization(error) { if (error instanceof Error) { var name_1 = error.name, message = error.message; var stack = error.stacktrace || error.stack; return { $isError: true, name: name_1, message: message, stack: stack }; } // return as is return error; } var canceledName = 'Canceled'; /** * Checks if the given error is a promise in canceled state */ function isPromiseCanceledError(error) { return error instanceof Error && error.name === canceledName && error.message === canceledName; } /** * Returns an error that signals cancellation. */ function canceled() { var error = new Error(canceledName); error.name = error.message; return error; } function illegalArgument(name) { if (name) { return new Error("Illegal argument: " + name); } else { return new Error('Illegal argument'); } } function illegalState(name) { if (name) { return new Error("Illegal state: " + name); } else { return new Error('Illegal state'); } } /***/ }), /***/ 957: /***/ (function(module, __webpack_exports__, __webpack_require__) { "use strict"; /* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "a", function() { return FastDomNode; }); /* harmony export (immutable) */ __webpack_exports__["b"] = createFastDomNode; /* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__dom_js__ = __webpack_require__(856); /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var FastDomNode = /** @class */ (function () { function FastDomNode(domNode) { this.domNode = domNode; this._maxWidth = -1; this._width = -1; this._height = -1; this._top = -1; this._left = -1; this._bottom = -1; this._right = -1; this._fontFamily = ''; this._fontWeight = ''; this._fontSize = -1; this._lineHeight = -1; this._letterSpacing = -100; this._className = ''; this._display = ''; this._position = ''; this._visibility = ''; this._layerHint = false; } FastDomNode.prototype.setMaxWidth = function (maxWidth) { if (this._maxWidth === maxWidth) { return; } this._maxWidth = maxWidth; this.domNode.style.maxWidth = this._maxWidth + 'px'; }; FastDomNode.prototype.setWidth = function (width) { if (this._width === width) { return; } this._width = width; this.domNode.style.width = this._width + 'px'; }; FastDomNode.prototype.setHeight = function (height) { if (this._height === height) { return; } this._height = height; this.domNode.style.height = this._height + 'px'; }; FastDomNode.prototype.setTop = function (top) { if (this._top === top) { return; } this._top = top; this.domNode.style.top = this._top + 'px'; }; FastDomNode.prototype.unsetTop = function () { if (this._top === -1) { return; } this._top = -1; this.domNode.style.top = ''; }; FastDomNode.prototype.setLeft = function (left) { if (this._left === left) { return; } this._left = left; this.domNode.style.left = this._left + 'px'; }; FastDomNode.prototype.setBottom = function (bottom) { if (this._bottom === bottom) { return; } this._bottom = bottom; this.domNode.style.bottom = this._bottom + 'px'; }; FastDomNode.prototype.setRight = function (right) { if (this._right === right) { return; } this._right = right; this.domNode.style.right = this._right + 'px'; }; FastDomNode.prototype.setFontFamily = function (fontFamily) { if (this._fontFamily === fontFamily) { return; } this._fontFamily = fontFamily; this.domNode.style.fontFamily = this._fontFamily; }; FastDomNode.prototype.setFontWeight = function (fontWeight) { if (this._fontWeight === fontWeight) { return; } this._fontWeight = fontWeight; this.domNode.style.fontWeight = this._fontWeight; }; FastDomNode.prototype.setFontSize = function (fontSize) { if (this._fontSize === fontSize) { return; } this._fontSize = fontSize; this.domNode.style.fontSize = this._fontSize + 'px'; }; FastDomNode.prototype.setLineHeight = function (lineHeight) { if (this._lineHeight === lineHeight) { return; } this._lineHeight = lineHeight; this.domNode.style.lineHeight = this._lineHeight + 'px'; }; FastDomNode.prototype.setLetterSpacing = function (letterSpacing) { if (this._letterSpacing === letterSpacing) { return; } this._letterSpacing = letterSpacing; this.domNode.style.letterSpacing = this._letterSpacing + 'px'; }; FastDomNode.prototype.setClassName = function (className) { if (this._className === className) { return; } this._className = className; this.domNode.className = this._className; }; FastDomNode.prototype.toggleClassName = function (className, shouldHaveIt) { __WEBPACK_IMPORTED_MODULE_0__dom_js__["M" /* toggleClass */](this.domNode, className, shouldHaveIt); this._className = this.domNode.className; }; FastDomNode.prototype.setDisplay = function (display) { if (this._display === display) { return; } this._display = display; this.domNode.style.display = this._display; }; FastDomNode.prototype.setPosition = function (position) { if (this._position === position) { return; } this._position = position; this.domNode.style.position = this._position; }; FastDomNode.prototype.setVisibility = function (visibility) { if (this._visibility === visibility) { return; } this._visibility = visibility; this.domNode.style.visibility = this._visibility; }; FastDomNode.prototype.setLayerHinting = function (layerHint) { if (this._layerHint === layerHint) { return; } this._layerHint = layerHint; this.domNode.style.willChange = this._layerHint ? 'transform' : 'auto'; }; FastDomNode.prototype.setAttribute = function (name, value) { this.domNode.setAttribute(name, value); }; FastDomNode.prototype.removeAttribute = function (name) { this.domNode.removeAttribute(name); }; FastDomNode.prototype.appendChild = function (child) { this.domNode.appendChild(child.domNode); }; FastDomNode.prototype.removeChild = function (child) { this.domNode.removeChild(child.domNode); }; return FastDomNode; }()); function createFastDomNode(domNode) { return new FastDomNode(domNode); } /***/ }) });