123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995 |
- /*---------------------------------------------------------------------------------------------
- * Copyright (c) Microsoft Corporation. All rights reserved.
- * Licensed under the MIT License. See License.txt in the project root for license information.
- *--------------------------------------------------------------------------------------------*/
- import * as browser from './browser.js';
- import { BrowserFeatures } from './canIUse.js';
- import { StandardKeyboardEvent } from './keyboardEvent.js';
- import { StandardMouseEvent } from './mouseEvent.js';
- import { TimeoutTimer } from '../common/async.js';
- import { onUnexpectedError } from '../common/errors.js';
- import { Emitter } from '../common/event.js';
- import { Disposable, DisposableStore, toDisposable } from '../common/lifecycle.js';
- import { FileAccess, RemoteAuthorities } from '../common/network.js';
- import * as platform from '../common/platform.js';
- export function clearNode(node) {
- while (node.firstChild) {
- node.firstChild.remove();
- }
- }
- /**
- * @deprecated Use node.isConnected directly
- */
- export function isInDOM(node) {
- var _a;
- return (_a = node === null || node === void 0 ? void 0 : node.isConnected) !== null && _a !== void 0 ? _a : false;
- }
- class DomListener {
- constructor(node, type, handler, options) {
- this._node = node;
- this._type = type;
- this._handler = handler;
- this._options = (options || false);
- this._node.addEventListener(this._type, this._handler, this._options);
- }
- dispose() {
- if (!this._handler) {
- // Already disposed
- return;
- }
- this._node.removeEventListener(this._type, this._handler, this._options);
- // Prevent leakers from holding on to the dom or handler func
- this._node = null;
- this._handler = null;
- }
- }
- export function addDisposableListener(node, type, handler, useCaptureOrOptions) {
- return new DomListener(node, type, handler, useCaptureOrOptions);
- }
- function _wrapAsStandardMouseEvent(handler) {
- return function (e) {
- return handler(new StandardMouseEvent(e));
- };
- }
- function _wrapAsStandardKeyboardEvent(handler) {
- return function (e) {
- return handler(new StandardKeyboardEvent(e));
- };
- }
- export let addStandardDisposableListener = function addStandardDisposableListener(node, type, handler, useCapture) {
- let 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);
- };
- export let addStandardDisposableGenericMouseDownListner = function addStandardDisposableListener(node, handler, useCapture) {
- let wrapHandler = _wrapAsStandardMouseEvent(handler);
- return addDisposableGenericMouseDownListner(node, wrapHandler, useCapture);
- };
- export let addStandardDisposableGenericMouseUpListner = function addStandardDisposableListener(node, handler, useCapture) {
- let wrapHandler = _wrapAsStandardMouseEvent(handler);
- return addDisposableGenericMouseUpListner(node, wrapHandler, useCapture);
- };
- export function addDisposableGenericMouseDownListner(node, handler, useCapture) {
- return addDisposableListener(node, platform.isIOS && BrowserFeatures.pointerEvents ? EventType.POINTER_DOWN : EventType.MOUSE_DOWN, handler, useCapture);
- }
- export function addDisposableGenericMouseUpListner(node, handler, useCapture) {
- return addDisposableListener(node, platform.isIOS && BrowserFeatures.pointerEvents ? EventType.POINTER_UP : EventType.MOUSE_UP, handler, useCapture);
- }
- export function addDisposableNonBubblingMouseOutListener(node, handler) {
- return addDisposableListener(node, 'mouseout', (e) => {
- // Mouse out bubbles, so this is an attempt to ignore faux mouse outs coming from children elements
- let toElement = (e.relatedTarget);
- while (toElement && toElement !== node) {
- toElement = toElement.parentNode;
- }
- if (toElement === node) {
- return;
- }
- handler(e);
- });
- }
- export function addDisposableNonBubblingPointerOutListener(node, handler) {
- return addDisposableListener(node, 'pointerout', (e) => {
- // Mouse out bubbles, so this is an attempt to ignore faux mouse outs coming from children elements
- let toElement = (e.relatedTarget);
- while (toElement && toElement !== node) {
- toElement = toElement.parentNode;
- }
- if (toElement === node) {
- return;
- }
- handler(e);
- });
- }
- export function createEventEmitter(target, type, options) {
- let domListener = null;
- const handler = (e) => result.fire(e);
- const onFirstListenerAdd = () => {
- if (!domListener) {
- domListener = new DomListener(target, type, handler, options);
- }
- };
- const onLastListenerRemove = () => {
- if (domListener) {
- domListener.dispose();
- domListener = null;
- }
- };
- const result = new Emitter({ onFirstListenerAdd, onLastListenerRemove });
- return result;
- }
- let _animationFrame = null;
- function doRequestAnimationFrame(callback) {
- if (!_animationFrame) {
- const emulatedRequestAnimationFrame = (callback) => {
- return setTimeout(() => 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).
- */
- export let 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.
- */
- export let scheduleAtNextAnimationFrame;
- class AnimationFrameQueueItem {
- constructor(runner, priority = 0) {
- this._runner = runner;
- this.priority = priority;
- this._canceled = false;
- }
- dispose() {
- this._canceled = true;
- }
- execute() {
- if (this._canceled) {
- return;
- }
- try {
- this._runner();
- }
- catch (e) {
- onUnexpectedError(e);
- }
- }
- // Sort by priority (largest to lowest)
- static sort(a, b) {
- return b.priority - a.priority;
- }
- }
- (function () {
- /**
- * The runners scheduled at the next animation frame
- */
- let NEXT_QUEUE = [];
- /**
- * The runners scheduled at the current animation frame
- */
- let CURRENT_QUEUE = null;
- /**
- * A flag to keep track if the native requestAnimationFrame was already called
- */
- let animFrameRequested = false;
- /**
- * A flag to indicate if currently handling a native requestAnimationFrame callback
- */
- let inAnimationFrameRunner = false;
- let animationFrameRunner = () => {
- animFrameRequested = false;
- CURRENT_QUEUE = NEXT_QUEUE;
- NEXT_QUEUE = [];
- inAnimationFrameRunner = true;
- while (CURRENT_QUEUE.length > 0) {
- CURRENT_QUEUE.sort(AnimationFrameQueueItem.sort);
- let top = CURRENT_QUEUE.shift();
- top.execute();
- }
- inAnimationFrameRunner = false;
- };
- scheduleAtNextAnimationFrame = (runner, priority = 0) => {
- let item = new AnimationFrameQueueItem(runner, priority);
- NEXT_QUEUE.push(item);
- if (!animFrameRequested) {
- animFrameRequested = true;
- doRequestAnimationFrame(animationFrameRunner);
- }
- return item;
- };
- runAtThisOrScheduleAtNextAnimationFrame = (runner, priority) => {
- if (inAnimationFrameRunner) {
- let item = new AnimationFrameQueueItem(runner, priority);
- CURRENT_QUEUE.push(item);
- return item;
- }
- else {
- return scheduleAtNextAnimationFrame(runner, priority);
- }
- };
- })();
- const MINIMUM_TIME_MS = 8;
- const DEFAULT_EVENT_MERGER = function (lastEvent, currentEvent) {
- return currentEvent;
- };
- class TimeoutThrottledDomListener extends Disposable {
- constructor(node, type, handler, eventMerger = DEFAULT_EVENT_MERGER, minimumTimeMs = MINIMUM_TIME_MS) {
- super();
- let lastEvent = null;
- let lastHandlerTime = 0;
- let timeout = this._register(new TimeoutTimer());
- let invokeHandler = () => {
- lastHandlerTime = (new Date()).getTime();
- handler(lastEvent);
- lastEvent = null;
- };
- this._register(addDisposableListener(node, type, (e) => {
- lastEvent = eventMerger(lastEvent, e);
- let elapsedTime = (new Date()).getTime() - lastHandlerTime;
- if (elapsedTime >= minimumTimeMs) {
- timeout.cancel();
- invokeHandler();
- }
- else {
- timeout.setIfNotSet(invokeHandler, minimumTimeMs - elapsedTime);
- }
- }));
- }
- }
- export function addDisposableThrottledListener(node, type, handler, eventMerger, minimumTimeMs) {
- return new TimeoutThrottledDomListener(node, type, handler, eventMerger, minimumTimeMs);
- }
- export function getComputedStyle(el) {
- return document.defaultView.getComputedStyle(el, null);
- }
- export function getClientArea(element) {
- // Try with DOM clientWidth / clientHeight
- if (element !== document.body) {
- return new Dimension(element.clientWidth, element.clientHeight);
- }
- // If visual view port exits and it's on mobile, it should be used instead of window innerWidth / innerHeight, or document.body.clientWidth / document.body.clientHeight
- if (platform.isIOS && window.visualViewport) {
- return new Dimension(window.visualViewport.width, window.visualViewport.height);
- }
- // Try innerWidth / innerHeight
- if (window.innerWidth && window.innerHeight) {
- return new Dimension(window.innerWidth, window.innerHeight);
- }
- // Try with document.body.clientWidth / document.body.clientHeight
- if (document.body && document.body.clientWidth && document.body.clientHeight) {
- return new Dimension(document.body.clientWidth, document.body.clientHeight);
- }
- // Try with document.documentElement.clientWidth / document.documentElement.clientHeight
- if (document.documentElement && document.documentElement.clientWidth && document.documentElement.clientHeight) {
- return new Dimension(document.documentElement.clientWidth, document.documentElement.clientHeight);
- }
- throw new Error('Unable to figure out browser width and height');
- }
- class SizeUtils {
- // Adapted from WinJS
- // Converts a CSS positioning string for the specified element to pixels.
- static convertToPixels(element, value) {
- return parseFloat(value) || 0;
- }
- static getDimension(element, cssPropertyName, jsPropertyName) {
- let computedStyle = getComputedStyle(element);
- let value = '0';
- if (computedStyle) {
- if (computedStyle.getPropertyValue) {
- value = computedStyle.getPropertyValue(cssPropertyName);
- }
- else {
- // IE8
- value = computedStyle.getAttribute(jsPropertyName);
- }
- }
- return SizeUtils.convertToPixels(element, value);
- }
- static getBorderLeftWidth(element) {
- return SizeUtils.getDimension(element, 'border-left-width', 'borderLeftWidth');
- }
- static getBorderRightWidth(element) {
- return SizeUtils.getDimension(element, 'border-right-width', 'borderRightWidth');
- }
- static getBorderTopWidth(element) {
- return SizeUtils.getDimension(element, 'border-top-width', 'borderTopWidth');
- }
- static getBorderBottomWidth(element) {
- return SizeUtils.getDimension(element, 'border-bottom-width', 'borderBottomWidth');
- }
- static getPaddingLeft(element) {
- return SizeUtils.getDimension(element, 'padding-left', 'paddingLeft');
- }
- static getPaddingRight(element) {
- return SizeUtils.getDimension(element, 'padding-right', 'paddingRight');
- }
- static getPaddingTop(element) {
- return SizeUtils.getDimension(element, 'padding-top', 'paddingTop');
- }
- static getPaddingBottom(element) {
- return SizeUtils.getDimension(element, 'padding-bottom', 'paddingBottom');
- }
- static getMarginLeft(element) {
- return SizeUtils.getDimension(element, 'margin-left', 'marginLeft');
- }
- static getMarginTop(element) {
- return SizeUtils.getDimension(element, 'margin-top', 'marginTop');
- }
- static getMarginRight(element) {
- return SizeUtils.getDimension(element, 'margin-right', 'marginRight');
- }
- static getMarginBottom(element) {
- return SizeUtils.getDimension(element, 'margin-bottom', 'marginBottom');
- }
- }
- export class Dimension {
- constructor(width, height) {
- this.width = width;
- this.height = height;
- }
- with(width = this.width, height = this.height) {
- if (width !== this.width || height !== this.height) {
- return new Dimension(width, height);
- }
- else {
- return this;
- }
- }
- static is(obj) {
- return typeof obj === 'object' && typeof obj.height === 'number' && typeof obj.width === 'number';
- }
- static lift(obj) {
- if (obj instanceof Dimension) {
- return obj;
- }
- else {
- return new Dimension(obj.width, obj.height);
- }
- }
- static equals(a, b) {
- if (a === b) {
- return true;
- }
- if (!a || !b) {
- return false;
- }
- return a.width === b.width && a.height === b.height;
- }
- }
- export function getTopLeftOffset(element) {
- // Adapted from WinJS.Utilities.getPosition
- // and added borders to the mix
- let offsetParent = element.offsetParent;
- let top = element.offsetTop;
- let left = element.offsetLeft;
- while ((element = element.parentNode) !== null
- && element !== document.body
- && element !== document.documentElement) {
- top -= element.scrollTop;
- const c = isShadowRoot(element) ? null : 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
- };
- }
- export function size(element, width, height) {
- if (typeof width === 'number') {
- element.style.width = `${width}px`;
- }
- if (typeof height === 'number') {
- element.style.height = `${height}px`;
- }
- }
- /**
- * Returns the position of a dom node relative to the entire page.
- */
- export function getDomNodePagePosition(domNode) {
- let bb = domNode.getBoundingClientRect();
- return {
- left: bb.left + StandardWindow.scrollX,
- top: bb.top + StandardWindow.scrollY,
- width: bb.width,
- height: bb.height
- };
- }
- export const StandardWindow = new class {
- get scrollX() {
- if (typeof window.scrollX === 'number') {
- // modern browsers
- return window.scrollX;
- }
- else {
- return document.body.scrollLeft + document.documentElement.scrollLeft;
- }
- }
- get scrollY() {
- if (typeof window.scrollY === 'number') {
- // modern browsers
- return window.scrollY;
- }
- else {
- return document.body.scrollTop + document.documentElement.scrollTop;
- }
- }
- };
- // Adapted from WinJS
- // Gets the width of the element, including margins.
- export function getTotalWidth(element) {
- let margin = SizeUtils.getMarginLeft(element) + SizeUtils.getMarginRight(element);
- return element.offsetWidth + margin;
- }
- export function getContentWidth(element) {
- let border = SizeUtils.getBorderLeftWidth(element) + SizeUtils.getBorderRightWidth(element);
- let 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.
- export function getContentHeight(element) {
- let border = SizeUtils.getBorderTopWidth(element) + SizeUtils.getBorderBottomWidth(element);
- let padding = SizeUtils.getPaddingTop(element) + SizeUtils.getPaddingBottom(element);
- return element.offsetHeight - border - padding;
- }
- // Adapted from WinJS
- // Gets the height of the element, including its margins.
- export function getTotalHeight(element) {
- let margin = SizeUtils.getMarginTop(element) + SizeUtils.getMarginBottom(element);
- return element.offsetHeight + margin;
- }
- // ----------------------------------------------------------------------------------------
- export function isAncestor(testChild, testAncestor) {
- while (testChild) {
- if (testChild === testAncestor) {
- return true;
- }
- testChild = testChild.parentNode;
- }
- return false;
- }
- export function findParentWithClass(node, clazz, stopAtClazzOrNode) {
- while (node && node.nodeType === node.ELEMENT_NODE) {
- if (node.classList.contains(clazz)) {
- return node;
- }
- if (stopAtClazzOrNode) {
- if (typeof stopAtClazzOrNode === 'string') {
- if (node.classList.contains(stopAtClazzOrNode)) {
- return null;
- }
- }
- else {
- if (node === stopAtClazzOrNode) {
- return null;
- }
- }
- }
- node = node.parentNode;
- }
- return null;
- }
- export function hasParentWithClass(node, clazz, stopAtClazzOrNode) {
- return !!findParentWithClass(node, clazz, stopAtClazzOrNode);
- }
- export function isShadowRoot(node) {
- return (node && !!node.host && !!node.mode);
- }
- export function isInShadowDOM(domNode) {
- return !!getShadowRoot(domNode);
- }
- export function getShadowRoot(domNode) {
- while (domNode.parentNode) {
- if (domNode === document.body) {
- // reached the body
- return null;
- }
- domNode = domNode.parentNode;
- }
- return isShadowRoot(domNode) ? domNode : null;
- }
- export function getActiveElement() {
- let result = document.activeElement;
- while (result === null || result === void 0 ? void 0 : result.shadowRoot) {
- result = result.shadowRoot.activeElement;
- }
- return result;
- }
- export function createStyleSheet(container = document.getElementsByTagName('head')[0]) {
- let style = document.createElement('style');
- style.type = 'text/css';
- style.media = 'screen';
- container.appendChild(style);
- return style;
- }
- let _sharedStyleSheet = null;
- function getSharedStyleSheet() {
- if (!_sharedStyleSheet) {
- _sharedStyleSheet = createStyleSheet();
- }
- return _sharedStyleSheet;
- }
- function getDynamicStyleSheetRules(style) {
- var _a, _b;
- if ((_a = style === null || style === void 0 ? void 0 : style.sheet) === null || _a === void 0 ? void 0 : _a.rules) {
- // Chrome, IE
- return style.sheet.rules;
- }
- if ((_b = style === null || style === void 0 ? void 0 : style.sheet) === null || _b === void 0 ? void 0 : _b.cssRules) {
- // FF
- return style.sheet.cssRules;
- }
- return [];
- }
- export function createCSSRule(selector, cssText, style = getSharedStyleSheet()) {
- if (!style || !cssText) {
- return;
- }
- style.sheet.insertRule(selector + '{' + cssText + '}', 0);
- }
- export function removeCSSRulesContainingSelector(ruleName, style = getSharedStyleSheet()) {
- if (!style) {
- return;
- }
- let rules = getDynamicStyleSheetRules(style);
- let toDelete = [];
- for (let i = 0; i < rules.length; i++) {
- let rule = rules[i];
- if (rule.selectorText.indexOf(ruleName) !== -1) {
- toDelete.push(i);
- }
- }
- for (let i = toDelete.length - 1; i >= 0; i--) {
- style.sheet.deleteRule(toDelete[i]);
- }
- }
- export function isHTMLElement(o) {
- if (typeof HTMLElement === 'object') {
- return o instanceof HTMLElement;
- }
- return o && typeof o === 'object' && o.nodeType === 1 && typeof o.nodeName === 'string';
- }
- export const EventType = {
- // Mouse
- CLICK: 'click',
- AUXCLICK: 'auxclick',
- DBLCLICK: 'dblclick',
- MOUSE_UP: 'mouseup',
- MOUSE_DOWN: 'mousedown',
- MOUSE_OVER: 'mouseover',
- MOUSE_MOVE: 'mousemove',
- MOUSE_OUT: 'mouseout',
- MOUSE_ENTER: 'mouseenter',
- MOUSE_LEAVE: 'mouseleave',
- MOUSE_WHEEL: 'wheel',
- POINTER_UP: 'pointerup',
- POINTER_DOWN: 'pointerdown',
- POINTER_MOVE: 'pointermove',
- CONTEXT_MENU: 'contextmenu',
- WHEEL: 'wheel',
- // Keyboard
- KEY_DOWN: 'keydown',
- KEY_PRESS: 'keypress',
- KEY_UP: 'keyup',
- // HTML Document
- LOAD: 'load',
- BEFORE_UNLOAD: 'beforeunload',
- UNLOAD: 'unload',
- PAGE_SHOW: 'pageshow',
- PAGE_HIDE: 'pagehide',
- ABORT: 'abort',
- ERROR: 'error',
- RESIZE: 'resize',
- SCROLL: 'scroll',
- FULLSCREEN_CHANGE: 'fullscreenchange',
- WK_FULLSCREEN_CHANGE: 'webkitfullscreenchange',
- // 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: browser.isWebKit ? 'webkitAnimationStart' : 'animationstart',
- ANIMATION_END: browser.isWebKit ? 'webkitAnimationEnd' : 'animationend',
- ANIMATION_ITERATION: browser.isWebKit ? 'webkitAnimationIteration' : 'animationiteration'
- };
- export const 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;
- }
- }
- }
- };
- export function saveParentsScrollTop(node) {
- let r = [];
- for (let i = 0; node && node.nodeType === node.ELEMENT_NODE; i++) {
- r[i] = node.scrollTop;
- node = node.parentNode;
- }
- return r;
- }
- export function restoreParentsScrollTop(node, state) {
- for (let i = 0; node && node.nodeType === node.ELEMENT_NODE; i++) {
- if (node.scrollTop !== state[i]) {
- node.scrollTop = state[i];
- }
- node = node.parentNode;
- }
- }
- class FocusTracker extends Disposable {
- constructor(element) {
- super();
- this._onDidFocus = this._register(new Emitter());
- this.onDidFocus = this._onDidFocus.event;
- this._onDidBlur = this._register(new Emitter());
- this.onDidBlur = this._onDidBlur.event;
- let hasFocus = FocusTracker.hasFocusWithin(element);
- let loosingFocus = false;
- const onFocus = () => {
- loosingFocus = false;
- if (!hasFocus) {
- hasFocus = true;
- this._onDidFocus.fire();
- }
- };
- const onBlur = () => {
- if (hasFocus) {
- loosingFocus = true;
- window.setTimeout(() => {
- if (loosingFocus) {
- loosingFocus = false;
- hasFocus = false;
- this._onDidBlur.fire();
- }
- }, 0);
- }
- };
- this._refreshStateHandler = () => {
- let currentNodeHasFocus = FocusTracker.hasFocusWithin(element);
- if (currentNodeHasFocus !== hasFocus) {
- if (hasFocus) {
- onBlur();
- }
- else {
- onFocus();
- }
- }
- };
- this._register(addDisposableListener(element, EventType.FOCUS, onFocus, true));
- this._register(addDisposableListener(element, EventType.BLUR, onBlur, true));
- this._register(addDisposableListener(element, EventType.FOCUS_IN, () => this._refreshStateHandler()));
- this._register(addDisposableListener(element, EventType.FOCUS_OUT, () => this._refreshStateHandler()));
- }
- static hasFocusWithin(element) {
- const shadowRoot = getShadowRoot(element);
- const activeElement = (shadowRoot ? shadowRoot.activeElement : document.activeElement);
- return isAncestor(activeElement, element);
- }
- }
- export function trackFocus(element) {
- return new FocusTracker(element);
- }
- export function append(parent, ...children) {
- parent.append(...children);
- if (children.length === 1 && typeof children[0] !== 'string') {
- return children[0];
- }
- }
- export function prepend(parent, child) {
- parent.insertBefore(child, parent.firstChild);
- return child;
- }
- /**
- * Removes all children from `parent` and appends `children`
- */
- export function reset(parent, ...children) {
- parent.innerText = '';
- append(parent, ...children);
- }
- const SELECTOR_REGEX = /([\w\-]+)?(#([\w\-]+))?((\.([\w\-]+))*)/;
- export var Namespace;
- (function (Namespace) {
- Namespace["HTML"] = "http://www.w3.org/1999/xhtml";
- Namespace["SVG"] = "http://www.w3.org/2000/svg";
- })(Namespace || (Namespace = {}));
- function _$(namespace, description, attrs, ...children) {
- let match = SELECTOR_REGEX.exec(description);
- if (!match) {
- throw new Error('Bad use of emmet');
- }
- attrs = Object.assign({}, (attrs || {}));
- let tagName = match[1] || 'div';
- let result;
- if (namespace !== Namespace.HTML) {
- result = document.createElementNS(namespace, tagName);
- }
- else {
- result = document.createElement(tagName);
- }
- if (match[3]) {
- result.id = match[3];
- }
- if (match[4]) {
- result.className = match[4].replace(/\./g, ' ').trim();
- }
- Object.keys(attrs).forEach(name => {
- const value = attrs[name];
- if (typeof value === 'undefined') {
- return;
- }
- if (/^on\w+$/.test(name)) {
- result[name] = value;
- }
- else if (name === 'selected') {
- if (value) {
- result.setAttribute(name, 'true');
- }
- }
- else {
- result.setAttribute(name, value);
- }
- });
- result.append(...children);
- return result;
- }
- export function $(description, attrs, ...children) {
- return _$(Namespace.HTML, description, attrs, ...children);
- }
- $.SVG = function (description, attrs, ...children) {
- return _$(Namespace.SVG, description, attrs, ...children);
- };
- export function show(...elements) {
- for (let element of elements) {
- element.style.display = '';
- element.removeAttribute('aria-hidden');
- }
- }
- export function hide(...elements) {
- for (let element of elements) {
- element.style.display = 'none';
- element.setAttribute('aria-hidden', 'true');
- }
- }
- export 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.
- */
- export function computeScreenAwareSize(cssPx) {
- const screenPx = window.devicePixelRatio * cssPx;
- return Math.max(1, Math.floor(screenPx)) / window.devicePixelRatio;
- }
- /**
- * Open safely a new window. This is the best way to do so, but you cannot tell
- * if the window was opened or if it was blocked by the browser's popup blocker.
- * If you want to tell if the browser blocked the new window, use {@link windowOpenWithSuccess}.
- *
- * 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/
- */
- export function windowOpenNoOpener(url) {
- // By using 'noopener' in the `windowFeatures` argument, the newly created window will
- // not be able to use `window.opener` to reach back to the current page.
- // See https://stackoverflow.com/a/46958731
- // See https://developer.mozilla.org/en-US/docs/Web/API/Window/open#noopener
- // However, this also doesn't allow us to realize if the browser blocked
- // the creation of the window.
- window.open(url, '_blank', 'noopener');
- }
- export function animate(fn) {
- const step = () => {
- fn();
- stepDisposable = scheduleAtNextAnimationFrame(step);
- };
- let stepDisposable = scheduleAtNextAnimationFrame(step);
- return toDisposable(() => stepDisposable.dispose());
- }
- RemoteAuthorities.setPreferredWebSchema(/^https:/.test(window.location.href) ? 'https' : 'http');
- /**
- * returns url('...')
- */
- export function asCSSUrl(uri) {
- if (!uri) {
- return `url('')`;
- }
- return `url('${FileAccess.asBrowserUri(uri).toString(true).replace(/'/g, '%27')}')`;
- }
- export function asCSSPropertyValue(value) {
- return `'${value.replace(/'/g, '%27')}'`;
- }
- export class ModifierKeyEmitter extends Emitter {
- constructor() {
- super();
- this._subscriptions = new DisposableStore();
- this._keyStatus = {
- altKey: false,
- shiftKey: false,
- ctrlKey: false,
- metaKey: false
- };
- this._subscriptions.add(addDisposableListener(window, 'keydown', e => {
- if (e.defaultPrevented) {
- return;
- }
- const event = new StandardKeyboardEvent(e);
- // If Alt-key keydown event is repeated, ignore it #112347
- // Only known to be necessary for Alt-Key at the moment #115810
- if (event.keyCode === 6 /* Alt */ && e.repeat) {
- return;
- }
- if (e.altKey && !this._keyStatus.altKey) {
- this._keyStatus.lastKeyPressed = 'alt';
- }
- else if (e.ctrlKey && !this._keyStatus.ctrlKey) {
- this._keyStatus.lastKeyPressed = 'ctrl';
- }
- else if (e.metaKey && !this._keyStatus.metaKey) {
- this._keyStatus.lastKeyPressed = 'meta';
- }
- else if (e.shiftKey && !this._keyStatus.shiftKey) {
- this._keyStatus.lastKeyPressed = 'shift';
- }
- else if (event.keyCode !== 6 /* Alt */) {
- this._keyStatus.lastKeyPressed = undefined;
- }
- else {
- return;
- }
- this._keyStatus.altKey = e.altKey;
- this._keyStatus.ctrlKey = e.ctrlKey;
- this._keyStatus.metaKey = e.metaKey;
- this._keyStatus.shiftKey = e.shiftKey;
- if (this._keyStatus.lastKeyPressed) {
- this._keyStatus.event = e;
- this.fire(this._keyStatus);
- }
- }, true));
- this._subscriptions.add(addDisposableListener(window, 'keyup', e => {
- if (e.defaultPrevented) {
- return;
- }
- if (!e.altKey && this._keyStatus.altKey) {
- this._keyStatus.lastKeyReleased = 'alt';
- }
- else if (!e.ctrlKey && this._keyStatus.ctrlKey) {
- this._keyStatus.lastKeyReleased = 'ctrl';
- }
- else if (!e.metaKey && this._keyStatus.metaKey) {
- this._keyStatus.lastKeyReleased = 'meta';
- }
- else if (!e.shiftKey && this._keyStatus.shiftKey) {
- this._keyStatus.lastKeyReleased = 'shift';
- }
- else {
- this._keyStatus.lastKeyReleased = undefined;
- }
- if (this._keyStatus.lastKeyPressed !== this._keyStatus.lastKeyReleased) {
- this._keyStatus.lastKeyPressed = undefined;
- }
- this._keyStatus.altKey = e.altKey;
- this._keyStatus.ctrlKey = e.ctrlKey;
- this._keyStatus.metaKey = e.metaKey;
- this._keyStatus.shiftKey = e.shiftKey;
- if (this._keyStatus.lastKeyReleased) {
- this._keyStatus.event = e;
- this.fire(this._keyStatus);
- }
- }, true));
- this._subscriptions.add(addDisposableListener(document.body, 'mousedown', () => {
- this._keyStatus.lastKeyPressed = undefined;
- }, true));
- this._subscriptions.add(addDisposableListener(document.body, 'mouseup', () => {
- this._keyStatus.lastKeyPressed = undefined;
- }, true));
- this._subscriptions.add(addDisposableListener(document.body, 'mousemove', e => {
- if (e.buttons) {
- this._keyStatus.lastKeyPressed = undefined;
- }
- }, true));
- this._subscriptions.add(addDisposableListener(window, 'blur', () => {
- this.resetKeyStatus();
- }));
- }
- get keyStatus() {
- return this._keyStatus;
- }
- /**
- * Allows to explicitly reset the key status based on more knowledge (#109062)
- */
- resetKeyStatus() {
- this.doResetKeyStatus();
- this.fire(this._keyStatus);
- }
- doResetKeyStatus() {
- this._keyStatus = {
- altKey: false,
- shiftKey: false,
- ctrlKey: false,
- metaKey: false
- };
- }
- static getInstance() {
- if (!ModifierKeyEmitter.instance) {
- ModifierKeyEmitter.instance = new ModifierKeyEmitter();
- }
- return ModifierKeyEmitter.instance;
- }
- dispose() {
- super.dispose();
- this._subscriptions.dispose();
- }
- }
- export function addMatchMediaChangeListener(query, callback) {
- const mediaQueryList = window.matchMedia(query);
- if (typeof mediaQueryList.addEventListener === 'function') {
- mediaQueryList.addEventListener('change', callback);
- }
- else {
- // Safari 13.x
- mediaQueryList.addListener(callback);
- }
- }
|