| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136 |
- /*---------------------------------------------------------------------------------------------
- * 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 { onUnexpectedError } from '../common/errors.js';
- import * as event from '../common/event.js';
- import * as dompurify from './dompurify/dompurify.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 const 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 const addStandardDisposableGenericMouseDownListener = function addStandardDisposableListener(node, handler, useCapture) {
- const wrapHandler = _wrapAsStandardMouseEvent(handler);
- return addDisposableGenericMouseDownListener(node, wrapHandler, useCapture);
- };
- export const addStandardDisposableGenericMouseUpListener = function addStandardDisposableListener(node, handler, useCapture) {
- const wrapHandler = _wrapAsStandardMouseEvent(handler);
- return addDisposableGenericMouseUpListener(node, wrapHandler, useCapture);
- };
- export function addDisposableGenericMouseDownListener(node, handler, useCapture) {
- return addDisposableListener(node, platform.isIOS && BrowserFeatures.pointerEvents ? EventType.POINTER_DOWN : EventType.MOUSE_DOWN, handler, useCapture);
- }
- export function addDisposableGenericMouseUpListener(node, handler, useCapture) {
- return addDisposableListener(node, platform.isIOS && BrowserFeatures.pointerEvents ? EventType.POINTER_UP : EventType.MOUSE_UP, handler, useCapture);
- }
- /**
- * 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;
- const animationFrameRunner = () => {
- animFrameRequested = false;
- CURRENT_QUEUE = NEXT_QUEUE;
- NEXT_QUEUE = [];
- inAnimationFrameRunner = true;
- while (CURRENT_QUEUE.length > 0) {
- CURRENT_QUEUE.sort(AnimationFrameQueueItem.sort);
- const top = CURRENT_QUEUE.shift();
- top.execute();
- }
- inAnimationFrameRunner = false;
- };
- scheduleAtNextAnimationFrame = (runner, priority = 0) => {
- const item = new AnimationFrameQueueItem(runner, priority);
- NEXT_QUEUE.push(item);
- if (!animFrameRequested) {
- animFrameRequested = true;
- requestAnimationFrame(animationFrameRunner);
- }
- return item;
- };
- runAtThisOrScheduleAtNextAnimationFrame = (runner, priority) => {
- if (inAnimationFrameRunner) {
- const item = new AnimationFrameQueueItem(runner, priority);
- CURRENT_QUEUE.push(item);
- return item;
- }
- else {
- return scheduleAtNextAnimationFrame(runner, priority);
- }
- };
- })();
- 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) {
- const computedStyle = getComputedStyle(element);
- const value = computedStyle ? computedStyle.getPropertyValue(cssPropertyName) : '0';
- 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;
- }
- }
- Dimension.None = new Dimension(0, 0);
- 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) {
- const bb = domNode.getBoundingClientRect();
- return {
- left: bb.left + window.scrollX,
- top: bb.top + window.scrollY,
- width: bb.width,
- height: bb.height
- };
- }
- /**
- * Returns the effective zoom on a given element before window zoom level is applied
- */
- export function getDomNodeZoomLevel(domNode) {
- let testElement = domNode;
- let zoom = 1.0;
- do {
- const elementZoomLevel = getComputedStyle(testElement).zoom;
- if (elementZoomLevel !== null && elementZoomLevel !== undefined && elementZoomLevel !== '1') {
- zoom *= elementZoomLevel;
- }
- testElement = testElement.parentElement;
- } while (testElement !== null && testElement !== document.documentElement);
- return zoom;
- }
- // Adapted from WinJS
- // Gets the width of the element, including margins.
- export function getTotalWidth(element) {
- const margin = SizeUtils.getMarginLeft(element) + SizeUtils.getMarginRight(element);
- return element.offsetWidth + margin;
- }
- export function getContentWidth(element) {
- const border = SizeUtils.getBorderLeftWidth(element) + SizeUtils.getBorderRightWidth(element);
- const 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) {
- const border = SizeUtils.getBorderTopWidth(element) + SizeUtils.getBorderBottomWidth(element);
- const 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) {
- const 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], beforeAppend) {
- const style = document.createElement('style');
- style.type = 'text/css';
- style.media = 'screen';
- beforeAppend === null || beforeAppend === void 0 ? void 0 : beforeAppend(style);
- 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;
- }
- const rules = getDynamicStyleSheetRules(style);
- const toDelete = [];
- for (let i = 0; i < rules.length; i++) {
- const 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',
- POINTER_LEAVE: 'pointerleave',
- 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 function isEventLike(obj) {
- const candidate = obj;
- return !!(candidate && typeof candidate.preventDefault === 'function' && typeof candidate.stopPropagation === 'function');
- }
- export const EventHelper = {
- stop: (e, cancelBubble) => {
- e.preventDefault();
- if (cancelBubble) {
- e.stopPropagation();
- }
- return e;
- }
- };
- export function saveParentsScrollTop(node) {
- const 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 {
- static hasFocusWithin(element) {
- const shadowRoot = getShadowRoot(element);
- const activeElement = (shadowRoot ? shadowRoot.activeElement : document.activeElement);
- return isAncestor(activeElement, element);
- }
- constructor(element) {
- super();
- this._onDidFocus = this._register(new event.Emitter());
- this.onDidFocus = this._onDidFocus.event;
- this._onDidBlur = this._register(new event.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 = () => {
- const 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()));
- }
- }
- /**
- * Creates a new `IFocusTracker` instance that tracks focus changes on the given `element` and its descendants.
- *
- * @param element The `HTMLElement` or `Window` to track focus changes on.
- * @returns An `IFocusTracker` instance.
- */
- 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) {
- const match = SELECTOR_REGEX.exec(description);
- if (!match) {
- throw new Error('Bad use of emmet');
- }
- const 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();
- }
- if (attrs) {
- Object.entries(attrs).forEach(([name, value]) => {
- 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 setVisibility(visible, ...elements) {
- if (visible) {
- show(...elements);
- }
- else {
- hide(...elements);
- }
- }
- export function show(...elements) {
- for (const element of elements) {
- element.style.display = '';
- element.removeAttribute('aria-hidden');
- }
- }
- export function hide(...elements) {
- for (const element of elements) {
- element.style.display = 'none';
- element.setAttribute('aria-hidden', 'true');
- }
- }
- /**
- * 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.uriToBrowserUri(uri).toString(true).replace(/'/g, '%27')}')`;
- }
- export function asCSSPropertyValue(value) {
- return `'${value.replace(/'/g, '%27')}'`;
- }
- export function asCssValueWithDefault(cssPropertyValue, dflt) {
- if (cssPropertyValue !== undefined) {
- const variableMatch = cssPropertyValue.match(/^\s*var\((.+)\)$/);
- if (variableMatch) {
- const varArguments = variableMatch[1].split(',', 2);
- if (varArguments.length === 2) {
- dflt = asCssValueWithDefault(varArguments[1].trim(), dflt);
- }
- return `var(${varArguments[0]}, ${dflt})`;
- }
- return cssPropertyValue;
- }
- return dflt;
- }
- // -- sanitize and trusted html
- /**
- * Hooks dompurify using `afterSanitizeAttributes` to check that all `href` and `src`
- * attributes are valid.
- */
- export function hookDomPurifyHrefAndSrcSanitizer(allowedProtocols, allowDataImages = false) {
- // https://github.com/cure53/DOMPurify/blob/main/demos/hooks-scheme-allowlist.html
- // build an anchor to map URLs to
- const anchor = document.createElement('a');
- dompurify.addHook('afterSanitizeAttributes', (node) => {
- // check all href/src attributes for validity
- for (const attr of ['href', 'src']) {
- if (node.hasAttribute(attr)) {
- const attrValue = node.getAttribute(attr);
- if (attr === 'href' && attrValue.startsWith('#')) {
- // Allow fragment links
- continue;
- }
- anchor.href = attrValue;
- if (!allowedProtocols.includes(anchor.protocol.replace(/:$/, ''))) {
- if (allowDataImages && attr === 'src' && anchor.href.startsWith('data:')) {
- continue;
- }
- node.removeAttribute(attr);
- }
- }
- }
- });
- return toDisposable(() => {
- dompurify.removeHook('afterSanitizeAttributes');
- });
- }
- /**
- * List of safe, non-input html tags.
- */
- export const basicMarkupHtmlTags = Object.freeze([
- 'a',
- 'abbr',
- 'b',
- 'bdo',
- 'blockquote',
- 'br',
- 'caption',
- 'cite',
- 'code',
- 'col',
- 'colgroup',
- 'dd',
- 'del',
- 'details',
- 'dfn',
- 'div',
- 'dl',
- 'dt',
- 'em',
- 'figcaption',
- 'figure',
- 'h1',
- 'h2',
- 'h3',
- 'h4',
- 'h5',
- 'h6',
- 'hr',
- 'i',
- 'img',
- 'ins',
- 'kbd',
- 'label',
- 'li',
- 'mark',
- 'ol',
- 'p',
- 'pre',
- 'q',
- 'rp',
- 'rt',
- 'ruby',
- 'samp',
- 'small',
- 'small',
- 'source',
- 'span',
- 'strike',
- 'strong',
- 'sub',
- 'summary',
- 'sup',
- 'table',
- 'tbody',
- 'td',
- 'tfoot',
- 'th',
- 'thead',
- 'time',
- 'tr',
- 'tt',
- 'u',
- 'ul',
- 'var',
- 'video',
- 'wbr',
- ]);
- const defaultDomPurifyConfig = Object.freeze({
- ALLOWED_TAGS: ['a', 'button', 'blockquote', 'code', 'div', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'hr', 'input', 'label', 'li', 'p', 'pre', 'select', 'small', 'span', 'strong', 'textarea', 'ul', 'ol'],
- ALLOWED_ATTR: ['href', 'data-href', 'data-command', 'target', 'title', 'name', 'src', 'alt', 'class', 'id', 'role', 'tabindex', 'style', 'data-code', 'width', 'height', 'align', 'x-dispatch', 'required', 'checked', 'placeholder', 'type', 'start'],
- RETURN_DOM: false,
- RETURN_DOM_FRAGMENT: false,
- RETURN_TRUSTED_TYPE: true
- });
- export class ModifierKeyEmitter extends event.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 /* KeyCode.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 /* KeyCode.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 class DragAndDropObserver extends Disposable {
- constructor(element, callbacks) {
- super();
- this.element = element;
- this.callbacks = callbacks;
- // A helper to fix issues with repeated DRAG_ENTER / DRAG_LEAVE
- // calls see https://github.com/microsoft/vscode/issues/14470
- // when the element has child elements where the events are fired
- // repeadedly.
- this.counter = 0;
- // Allows to measure the duration of the drag operation.
- this.dragStartTime = 0;
- this.registerListeners();
- }
- registerListeners() {
- this._register(addDisposableListener(this.element, EventType.DRAG_ENTER, (e) => {
- this.counter++;
- this.dragStartTime = e.timeStamp;
- this.callbacks.onDragEnter(e);
- }));
- this._register(addDisposableListener(this.element, EventType.DRAG_OVER, (e) => {
- var _a, _b;
- e.preventDefault(); // needed so that the drop event fires (https://stackoverflow.com/questions/21339924/drop-event-not-firing-in-chrome)
- (_b = (_a = this.callbacks).onDragOver) === null || _b === void 0 ? void 0 : _b.call(_a, e, e.timeStamp - this.dragStartTime);
- }));
- this._register(addDisposableListener(this.element, EventType.DRAG_LEAVE, (e) => {
- this.counter--;
- if (this.counter === 0) {
- this.dragStartTime = 0;
- this.callbacks.onDragLeave(e);
- }
- }));
- this._register(addDisposableListener(this.element, EventType.DRAG_END, (e) => {
- this.counter = 0;
- this.dragStartTime = 0;
- this.callbacks.onDragEnd(e);
- }));
- this._register(addDisposableListener(this.element, EventType.DROP, (e) => {
- this.counter = 0;
- this.dragStartTime = 0;
- this.callbacks.onDrop(e);
- }));
- }
- }
- const H_REGEX = /(?<tag>[\w\-]+)?(?:#(?<id>[\w\-]+))?(?<class>(?:\.(?:[\w\-]+))*)(?:@(?<name>(?:[\w\_])+))?/;
- export function h(tag, ...args) {
- let attributes;
- let children;
- if (Array.isArray(args[0])) {
- attributes = {};
- children = args[0];
- }
- else {
- attributes = args[0] || {};
- children = args[1];
- }
- const match = H_REGEX.exec(tag);
- if (!match || !match.groups) {
- throw new Error('Bad use of h');
- }
- const tagName = match.groups['tag'] || 'div';
- const el = document.createElement(tagName);
- if (match.groups['id']) {
- el.id = match.groups['id'];
- }
- const classNames = [];
- if (match.groups['class']) {
- for (const className of match.groups['class'].split('.')) {
- if (className !== '') {
- classNames.push(className);
- }
- }
- }
- if (attributes.className !== undefined) {
- for (const className of attributes.className.split('.')) {
- if (className !== '') {
- classNames.push(className);
- }
- }
- }
- if (classNames.length > 0) {
- el.className = classNames.join(' ');
- }
- const result = {};
- if (match.groups['name']) {
- result[match.groups['name']] = el;
- }
- if (children) {
- for (const c of children) {
- if (c instanceof HTMLElement) {
- el.appendChild(c);
- }
- else if (typeof c === 'string') {
- el.append(c);
- }
- else {
- Object.assign(result, c);
- el.appendChild(c.root);
- }
- }
- }
- for (const [key, value] of Object.entries(attributes)) {
- if (key === 'className') {
- continue;
- }
- else if (key === 'style') {
- for (const [cssKey, cssValue] of Object.entries(value)) {
- el.style.setProperty(camelCaseToHyphenCase(cssKey), typeof cssValue === 'number' ? cssValue + 'px' : '' + cssValue);
- }
- }
- else if (key === 'tabIndex') {
- el.tabIndex = value;
- }
- else {
- el.setAttribute(camelCaseToHyphenCase(key), value.toString());
- }
- }
- result['root'] = el;
- return result;
- }
- function camelCaseToHyphenCase(str) {
- return str.replace(/([a-z])([A-Z])/g, '$1-$2').toLowerCase();
- }
|