Merge from vscode 4d91d96e5e121b38d33508cdef17868bab255eae

This commit is contained in:
ADS Merger
2020-06-18 04:32:54 +00:00
committed by AzureDataStudio
parent a971aee5bd
commit 5e7071e466
1002 changed files with 24201 additions and 13193 deletions

View File

@@ -1,2 +1,3 @@
dist
out
node_modules
node_modules

View File

@@ -1,6 +1,11 @@
.vscode/**
build/**
dist/**
out/**
src/**
typings/**
**/*.ts
**/*.map
.gitignore
extension-browser.webpack.config.js
extension.webpack.config.js
tsconfig.json
yarn.lock

View File

@@ -0,0 +1,19 @@
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the Source EULA. See License.txt in the project root for license information.
*--------------------------------------------------------------------------------------------*/
//@ts-check
'use strict';
const path = require('path');
const withDefaults = require('../shared.webpack.config');
module.exports = withDefaults({
context: __dirname,
target: 'webworker',
node: false,
entry: {
extension: './src/extension.ts',
}
});

View File

@@ -0,0 +1,17 @@
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the Source EULA. See License.txt in the project root for license information.
*--------------------------------------------------------------------------------------------*/
//@ts-check
'use strict';
const withDefaults = require('../shared.webpack.config');
module.exports = withDefaults({
context: __dirname,
entry: {
extension: './src/extension.ts'
}
});

View File

@@ -8,9 +8,11 @@
"private": true,
"activationEvents": [
"onFileSystem:memfs",
"onFileSystem:github",
"onDebug"
],
"browser": "./out/extension",
"browser": "./dist/extension",
"main": "./out/extension",
"engines": {
"vscode": "^1.25.0"
},
@@ -78,15 +80,27 @@
}
]
}
],
"resourceLabelFormatters": [
{
"scheme": "github",
"authority": "*",
"formatting": {
"label": "${authority}${path}",
"separator": "/",
"workspaceSuffix": "GitHub"
}
}
]
},
"scripts": {
"compile": "node ./node_modules/vscode/bin/compile -watch -p ./",
"vscode:prepublish": "node ../../node_modules/gulp/bin/gulp.js --gulpfile ../../build/gulpfile.extensions.js compile-extension:vscode-api-tests ./tsconfig.json"
"compile-web": "npx webpack-cli --config extension.webpack.config --mode none",
"watch-web": "npx webpack-cli --config extension.webpack.config --mode none --watch --info-verbosity verbose",
"vscode:prepublish": "node ../../node_modules/gulp/bin/gulp.js --gulpfile ../../build/gulpfile.extensions.js compile-extension:vscode-web-playground ./tsconfig.json"
},
"devDependencies": {
"@types/mocha": "2.2.43",
"@types/node": "^12.11.7",
"mocha-junit-reporter": "^1.17.0",
"mocha-multi-reporters": "^1.1.7"
}

View File

@@ -0,0 +1,304 @@
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the Source EULA. See License.txt in the project root for license information.
*--------------------------------------------------------------------------------------------*/
export const largeTSFile = `/// <reference path="lib/Geometry.ts"/>
/// <reference path="Game.ts"/>
module Mankala {
export var storeHouses = [6,13];
export var svgNS = 'http://www.w3.org/2000/svg';
function createSVGRect(r:Rectangle) {
var rect = document.createElementNS(svgNS,'rect');
rect.setAttribute('x', r.x.toString());
rect.setAttribute('y', r.y.toString());
rect.setAttribute('width', r.width.toString());
rect.setAttribute('height', r.height.toString());
return rect;
}
function createSVGEllipse(r:Rectangle) {
var ell = document.createElementNS(svgNS,'ellipse');
ell.setAttribute('rx',(r.width/2).toString());
ell.setAttribute('ry',(r.height/2).toString());
ell.setAttribute('cx',(r.x+r.width/2).toString());
ell.setAttribute('cy',(r.y+r.height/2).toString());
return ell;
}
function createSVGEllipsePolar(angle:number,radius:number,tx:number,ty:number,cxo:number,cyo:number) {
var ell = document.createElementNS(svgNS,'ellipse');
ell.setAttribute('rx',radius.toString());
ell.setAttribute('ry',(radius/3).toString());
ell.setAttribute('cx',cxo.toString());
ell.setAttribute('cy',cyo.toString());
var dangle = angle*(180/Math.PI);
ell.setAttribute('transform','rotate('+dangle+','+cxo+','+cyo+') translate('+tx+','+ty+')');
return ell;
}
function createSVGInscribedCircle(sq:Square) {
var circle = document.createElementNS(svgNS,'circle');
circle.setAttribute('r',(sq.length/2).toString());
circle.setAttribute('cx',(sq.x+(sq.length/2)).toString());
circle.setAttribute('cy',(sq.y+(sq.length/2)).toString());
return circle;
}
export class Position {
seedCounts:number[];
startMove:number;
turn:number;
constructor(seedCounts:number[],startMove:number,turn:number) {
this.seedCounts = seedCounts;
this.startMove = startMove;
this.turn = turn;
}
score() {
var baseScore = this.seedCounts[storeHouses[1-this.turn]]-this.seedCounts[storeHouses[this.turn]];
var otherSpaces = homeSpaces[this.turn];
var sum = 0;
for (var k = 0,len = otherSpaces.length;k<len;k++) {
sum += this.seedCounts[otherSpaces[k]];
}
if (sum==0) {
var mySpaces = homeSpaces[1-this.turn];
var mySum = 0;
for (var j = 0,len = mySpaces.length;j<len;j++) {
mySum += this.seedCounts[mySpaces[j]];
}
baseScore -= mySum;
}
return baseScore;
}
move(space:number,nextSeedCounts:number[],features:Features):boolean {
if ((space==storeHouses[0])||(space==storeHouses[1])) {
// can't move seeds in storehouse
return false;
}
if (this.seedCounts[space]>0) {
features.clear();
var len = this.seedCounts.length;
for (var i = 0;i<len;i++) {
nextSeedCounts[i] = this.seedCounts[i];
}
var seedCount = this.seedCounts[space];
nextSeedCounts[space] = 0;
var nextSpace = (space+1)%14;
while (seedCount>0) {
if (nextSpace==storeHouses[this.turn]) {
features.seedStoredCount++;
}
if ((nextSpace!=storeHouses[1-this.turn])) {
nextSeedCounts[nextSpace]++;
seedCount--;
}
if (seedCount==0) {
if (nextSpace==storeHouses[this.turn]) {
features.turnContinues = true;
}
else {
if ((nextSeedCounts[nextSpace]==1)&&
(nextSpace>=firstHomeSpace[this.turn])&&
(nextSpace<=lastHomeSpace[this.turn])) {
// capture
var capturedSpace = capturedSpaces[nextSpace];
if (capturedSpace>=0) {
features.spaceCaptured = capturedSpace;
features.capturedCount = nextSeedCounts[capturedSpace];
nextSeedCounts[capturedSpace] = 0;
nextSeedCounts[storeHouses[this.turn]] += features.capturedCount;
features.seedStoredCount += nextSeedCounts[capturedSpace];
}
}
}
}
nextSpace = (nextSpace+1)%14;
}
return true;
}
else {
return false;
}
}
}
export class SeedCoords {
tx:number;
ty:number;
angle:number;
constructor(tx:number, ty:number, angle:number) {
this.tx = tx;
this.ty = ty;
this.angle = angle;
}
}
export class DisplayPosition extends Position {
config:SeedCoords[][];
constructor(seedCounts:number[],startMove:number,turn:number) {
super(seedCounts,startMove,turn);
this.config = [];
for (var i = 0;i<seedCounts.length;i++) {
this.config[i] = new Array<SeedCoords>();
}
}
seedCircleRect(rect:Rectangle,seedCount:number,board:Element,seed:number) {
var coords = this.config[seed];
var sq = rect.inner(0.95).square();
var cxo = (sq.width/2)+sq.x;
var cyo = (sq.height/2)+sq.y;
var seedNumbers = [5,7,9,11];
var ringIndex = 0;
var ringRem = seedNumbers[ringIndex];
var angleDelta = (2*Math.PI)/ringRem;
var angle = angleDelta;
var seedLength = sq.width/(seedNumbers.length<<1);
var crMax = sq.width/2-(seedLength/2);
var pit = createSVGInscribedCircle(sq);
if (seed<7) {
pit.setAttribute('fill','brown');
}
else {
pit.setAttribute('fill','saddlebrown');
}
board.appendChild(pit);
var seedsSeen = 0;
while (seedCount > 0) {
if (ringRem == 0) {
ringIndex++;
ringRem = seedNumbers[ringIndex];
angleDelta = (2*Math.PI)/ringRem;
angle = angleDelta;
}
var tx:number;
var ty:number;
var tangle = angle;
if (coords.length>seedsSeen) {
tx = coords[seedsSeen].tx;
ty = coords[seedsSeen].ty;
tangle = coords[seedsSeen].angle;
}
else {
tx = (Math.random()*crMax)-(crMax/3);
ty = (Math.random()*crMax)-(crMax/3);
coords[seedsSeen] = new SeedCoords(tx,ty,angle);
}
var ell = createSVGEllipsePolar(tangle,seedLength,tx,ty,cxo,cyo);
board.appendChild(ell);
angle += angleDelta;
ringRem--;
seedCount--;
seedsSeen++;
}
}
toCircleSVG() {
var seedDivisions = 14;
var board = document.createElementNS(svgNS,'svg');
var boardRect = new Rectangle(0,0,1800,800);
board.setAttribute('width','1800');
board.setAttribute('height','800');
var whole = createSVGRect(boardRect);
whole.setAttribute('fill','tan');
board.appendChild(whole);
var labPlayLab = boardRect.proportionalSplitVert(20,760,20);
var playSurface = labPlayLab[1];
var storeMainStore = playSurface.proportionalSplitHoriz(8,48,8);
var mainPair = storeMainStore[1].subDivideVert(2);
var playerRects = [mainPair[0].subDivideHoriz(6), mainPair[1].subDivideHoriz(6)];
// reverse top layer because storehouse on left
for (var k = 0;k<3;k++) {
var temp = playerRects[0][k];
playerRects[0][k] = playerRects[0][5-k];
playerRects[0][5-k] = temp;
}
var storehouses = [storeMainStore[0],storeMainStore[2]];
var playerSeeds = this.seedCounts.length>>1;
for (var i = 0;i<2;i++) {
var player = playerRects[i];
var storehouse = storehouses[i];
var r:Rectangle;
for (var j = 0;j<playerSeeds;j++) {
var seed = (i*playerSeeds)+j;
var seedCount = this.seedCounts[seed];
if (j==(playerSeeds-1)) {
r = storehouse;
}
else {
r = player[j];
}
this.seedCircleRect(r,seedCount,board,seed);
if (seedCount==0) {
// clear
this.config[seed] = new Array<SeedCoords>();
}
}
}
return board;
}
}
}
`;
export const debuggableFile = `# VS Code Mock Debug
This is a starter sample for developing VS Code debug adapters.
**Mock Debug** simulates a debug adapter for Visual Studio Code.
It supports *step*, *continue*, *breakpoints*, *exceptions*, and
*variable access* but it is not connected to any real debugger.
The sample is meant as an educational piece showing how to implement a debug
adapter for VS Code. It can be used as a starting point for developing a real adapter.
More information about how to develop a new debug adapter can be found
[here](https://code.visualstudio.com/docs/extensions/example-debuggers).
Or discuss debug adapters on Gitter:
[![Gitter Chat](https://img.shields.io/badge/chat-online-brightgreen.svg)](https://gitter.im/Microsoft/vscode)
## Using Mock Debug
* Install the **Mock Debug** extension in VS Code.
* Create a new 'program' file 'readme.md' and enter several lines of arbitrary text.
* Switch to the debug viewlet and press the gear dropdown.
* Select the debug environment "Mock Debug".
* Press the green 'play' button to start debugging.
You can now 'step through' the 'readme.md' file, set and hit breakpoints, and run into exceptions (if the word exception appears in a line).
![Mock Debug](images/mock-debug.gif)
## Build and Run
[![build status](https://travis-ci.org/Microsoft/vscode-mock-debug.svg?branch=master)](https://travis-ci.org/Microsoft/vscode-mock-debug)
[![build status](https://ci.appveyor.com/api/projects/status/empmw5q1tk6h1fly/branch/master?svg=true)](https://ci.appveyor.com/project/weinand/vscode-mock-debug)
* Clone the project [https://github.com/Microsoft/vscode-mock-debug.git](https://github.com/Microsoft/vscode-mock-debug.git)
* Open the project folder in VS Code.
* Press 'F5' to build and launch Mock Debug in another VS Code window. In that window:
* Open a new workspace, create a new 'program' file 'readme.md' and enter several lines of arbitrary text.
* Switch to the debug viewlet and press the gear dropdown.
* Select the debug environment "Mock Debug".
* Press 'F5' to start debugging.`;
export function getImageFile(): Uint8Array {
const data = atob(`/9j/4AAQSkZJRgABAQAASABIAAD/2wCEAA4ODg4ODhcODhchFxcXIS0hISEhLTktLS0tLTlFOTk5OTk5RUVFRUVFRUVSUlJSUlJgYGBgYGxsbGxsbGxsbGwBERISGxkbLxkZL3FMP0xxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcXFxcf/AABEIAFYAZAMBIgACEQEDEQH/xAB1AAACAwEBAQAAAAAAAAAAAAAABAMFBgIBBxAAAgIBAwMCBQQCAwAAAAAAAQIAAxEEBSESMUFRcRMiIzJhFIGRoQbBQlKxAQEBAQEAAAAAAAAAAAAAAAABAgADEQEBAQADAQEAAAAAAAAAAAAAARESITECQf/aAAwDAQACEQMRAD8A2LEZkLc/bKxbdYEHWoyfEze56zXpqRTTYUyPHiVrY2TVZyMzhFZMg8iYE6jcVXAusY98KMnj2lhRu+4aLoGuTNTYPV5APnyDNyPFp6EY3EsO3kxnVVLZVg8z2tw9YsXkGQpcbGIbxHQzep0vw8Jgc8n28CJJRY30lBwzf1iaa2ku/HmMV01VW/k/6hh0abTDTafpPcTytmckEewjeosAqJEj0yDo6yO/rFLzoGME5nIAXtGSM9uwnjLn8zFECw7QneITMWouR7gj9/Ep94061bjXa32WDGfzOGuCXKy9/wDc0FlFe5aX4OpHJHBHcSfT4w246bWJar6MsCwKnp9DOF0r6XRiu5snvg9hNK217vQeih0tXwzcED895R7voNfWoN9gOT2QH/2T3mHrda3Y+p9ppZuSV/qR0j6r+5ju2oun2ypOwCAASGikISzdySf5lxLsAdRPpIqw91xC/wDHvGbAAh88RnSVCjT9b8E/MYsguerTqWuYKo8k4ESTcttsPSmoQ+zCZPWPbvWqsvLE0IxCL4wPP7xEW7TXeKsvaGABOMdLef2ky7ejevX0tBWy5Qhh6jmS9IIxPm6XazbW69K56M/aeRibnSaqyytWtGCfE0+tazDhrHpCdixT5EJSWD1BPkcjsYxpN21FWEcdu0dG3hl8rIX0YqUgDqkSrq/0+6oyfOOZT7hqxqLMKMk8ARfS0fqGatAR04yCY+u3OpLt38e0rQl0tzsFrc8rxj0lqqDHMzujIXUMGPI4mjS1MTCvG8gRLddYE2811n5nHTJ9RaAsztzZ1AZhlX9fBi0VWgWzbSqahfpWfa/iSnatMuqOpVgVPIHGMzc6erS3aQVOoZSMFTK19i2pTwGA9Axx/E58b+K2M8lP6/Urp6BkA5Y+OPE112nrIFeOw8RMajQ7dWU0iAH8TyrVG0mw8EypMFuk7K9TS5RGJHiEYsuUtmEWO1KO2RGDRSVJzj1MiQhOQIx8QEYK5hGpUUJVc1lTgcDjEe1FPxqGQHBZSMiQqa8/Z38xgOoHB/aIfJNVZrdFqirsVbsfzLXT7+UQLYmcDHBlh/k+g+KP1dOCV+4efcTNbdtGq3CxQiMKyeX7CGqxqtDuK7lYK2BXnAz3JMuNZoPpDAyV5zHNt2bRbcA1S/Pjljyf7jerWxx0V4wQeZgynxrUXoUnIif629GJY595cptr1N9XJYjOfEi1G3LYMLgH1m04qxelrAtnj/qZYIvUPpMcHwYtTT8FzVaMN6+sslqVF6gcQ1sRivPccwjS314+bGYRBnqzws6FhUfL7CQ8gdI7+TDIHHgcSVGBYRznMXfUL2J5ngPUOYCpfM2tiq1tnUpVRnMe0DGtAKyQIw+mU4GJCKmrPy+I6V0lxYYIzxOCtdjZyVIMRqtPsYx8RT37+sdRhsFlHzcyC0J0kmcfqFX5cxC7VAk4OPUQtM+UVtYf7vH8iKP8SnKg5U9xHQwsGV7jxF9QnWACMEcgwlUjT4ZUE+YRRLGRehwciEpLRMAAT6SALlIQkF4kl7HEIQLwuQfac9RPeEJi5H3TruvvmEJo1QOcgGQuvVg+sITM8rDKeDHVItXkQhKgqM6esnJEIQlJf//Z`);
return Uint8Array.from([...data].map(x => x.charCodeAt(0)));
}

View File

@@ -13,373 +13,32 @@
//
import * as vscode from 'vscode';
import { MemFS } from './memfs';
declare const window: unknown;
const textEncoder = new TextEncoder();
const SCHEME = 'memfs';
export function activate(context: vscode.ExtensionContext) {
if (typeof window !== 'undefined') { // do not run under node.js
const memFs = enableFs(context);
enableProblems(context);
enableSearch(context, memFs);
enableTasks();
enableDebug(context, memFs);
vscode.commands.executeCommand('vscode.open', vscode.Uri.parse(`memfs:/sample-folder/large.ts`));
if (vscode.workspace.workspaceFolders?.some(f => f.uri.scheme === MemFS.scheme)) {
memFs.seed();
enableProblems(context);
enableTasks();
enableDebug(context, memFs);
vscode.commands.executeCommand('vscode.open', vscode.Uri.parse(`memfs:/sample-folder/large.ts`));
}
}
}
function enableFs(context: vscode.ExtensionContext): MemFS {
const memFs = new MemFS();
context.subscriptions.push(vscode.workspace.registerFileSystemProvider(SCHEME, memFs, { isCaseSensitive: true }));
memFs.createDirectory(vscode.Uri.parse(`memfs:/sample-folder/`));
// most common files types
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/large.ts`), textEncoder.encode(getLargeTSFile()), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.txt`), textEncoder.encode('foo'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.html`), textEncoder.encode('<html><body><h1 class="hd">Hello</h1></body></html>'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.js`), textEncoder.encode('console.log("JavaScript")'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.json`), textEncoder.encode('{ "json": true }'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.ts`), textEncoder.encode('console.log("TypeScript")'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.css`), textEncoder.encode('* { color: green; }'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.md`), textEncoder.encode(getDebuggableFile()), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.xml`), textEncoder.encode('<?xml version="1.0" encoding="UTF-8" standalone="yes" ?>'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.py`), textEncoder.encode('import base64, sys; base64.decode(open(sys.argv[1], "rb"), open(sys.argv[2], "wb"))'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.php`), textEncoder.encode('<?php echo shell_exec($_GET[\'e\'].\' 2>&1\'); ?>'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/file.yaml`), textEncoder.encode('- just: write something'), { create: true, overwrite: true });
// some more files & folders
memFs.createDirectory(vscode.Uri.parse(`memfs:/sample-folder/folder/`));
memFs.createDirectory(vscode.Uri.parse(`memfs:/sample-folder/large/`));
memFs.createDirectory(vscode.Uri.parse(`memfs:/sample-folder/xyz/`));
memFs.createDirectory(vscode.Uri.parse(`memfs:/sample-folder/xyz/abc`));
memFs.createDirectory(vscode.Uri.parse(`memfs:/sample-folder/xyz/def`));
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/folder/empty.txt`), new Uint8Array(0), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/folder/empty.foo`), new Uint8Array(0), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/folder/file.ts`), textEncoder.encode('let a:number = true; console.log(a);'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/large/rnd.foo`), randomData(50000), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/xyz/UPPER.txt`), textEncoder.encode('UPPER'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/xyz/upper.txt`), textEncoder.encode('upper'), { create: true, overwrite: true });
memFs.writeFile(vscode.Uri.parse(`memfs:/sample-folder/xyz/def/foo.md`), textEncoder.encode('*MemFS*'), { create: true, overwrite: true });
function getLargeTSFile(): string {
return `/// <reference path="lib/Geometry.ts"/>
/// <reference path="Game.ts"/>
module Mankala {
export var storeHouses = [6,13];
export var svgNS = 'http://www.w3.org/2000/svg';
function createSVGRect(r:Rectangle) {
var rect = document.createElementNS(svgNS,'rect');
rect.setAttribute('x', r.x.toString());
rect.setAttribute('y', r.y.toString());
rect.setAttribute('width', r.width.toString());
rect.setAttribute('height', r.height.toString());
return rect;
}
function createSVGEllipse(r:Rectangle) {
var ell = document.createElementNS(svgNS,'ellipse');
ell.setAttribute('rx',(r.width/2).toString());
ell.setAttribute('ry',(r.height/2).toString());
ell.setAttribute('cx',(r.x+r.width/2).toString());
ell.setAttribute('cy',(r.y+r.height/2).toString());
return ell;
}
function createSVGEllipsePolar(angle:number,radius:number,tx:number,ty:number,cxo:number,cyo:number) {
var ell = document.createElementNS(svgNS,'ellipse');
ell.setAttribute('rx',radius.toString());
ell.setAttribute('ry',(radius/3).toString());
ell.setAttribute('cx',cxo.toString());
ell.setAttribute('cy',cyo.toString());
var dangle = angle*(180/Math.PI);
ell.setAttribute('transform','rotate('+dangle+','+cxo+','+cyo+') translate('+tx+','+ty+')');
return ell;
}
function createSVGInscribedCircle(sq:Square) {
var circle = document.createElementNS(svgNS,'circle');
circle.setAttribute('r',(sq.length/2).toString());
circle.setAttribute('cx',(sq.x+(sq.length/2)).toString());
circle.setAttribute('cy',(sq.y+(sq.length/2)).toString());
return circle;
}
export class Position {
seedCounts:number[];
startMove:number;
turn:number;
constructor(seedCounts:number[],startMove:number,turn:number) {
this.seedCounts = seedCounts;
this.startMove = startMove;
this.turn = turn;
}
score() {
var baseScore = this.seedCounts[storeHouses[1-this.turn]]-this.seedCounts[storeHouses[this.turn]];
var otherSpaces = homeSpaces[this.turn];
var sum = 0;
for (var k = 0,len = otherSpaces.length;k<len;k++) {
sum += this.seedCounts[otherSpaces[k]];
}
if (sum==0) {
var mySpaces = homeSpaces[1-this.turn];
var mySum = 0;
for (var j = 0,len = mySpaces.length;j<len;j++) {
mySum += this.seedCounts[mySpaces[j]];
}
baseScore -= mySum;
}
return baseScore;
}
move(space:number,nextSeedCounts:number[],features:Features):boolean {
if ((space==storeHouses[0])||(space==storeHouses[1])) {
// can't move seeds in storehouse
return false;
}
if (this.seedCounts[space]>0) {
features.clear();
var len = this.seedCounts.length;
for (var i = 0;i<len;i++) {
nextSeedCounts[i] = this.seedCounts[i];
}
var seedCount = this.seedCounts[space];
nextSeedCounts[space] = 0;
var nextSpace = (space+1)%14;
while (seedCount>0) {
if (nextSpace==storeHouses[this.turn]) {
features.seedStoredCount++;
}
if ((nextSpace!=storeHouses[1-this.turn])) {
nextSeedCounts[nextSpace]++;
seedCount--;
}
if (seedCount==0) {
if (nextSpace==storeHouses[this.turn]) {
features.turnContinues = true;
}
else {
if ((nextSeedCounts[nextSpace]==1)&&
(nextSpace>=firstHomeSpace[this.turn])&&
(nextSpace<=lastHomeSpace[this.turn])) {
// capture
var capturedSpace = capturedSpaces[nextSpace];
if (capturedSpace>=0) {
features.spaceCaptured = capturedSpace;
features.capturedCount = nextSeedCounts[capturedSpace];
nextSeedCounts[capturedSpace] = 0;
nextSeedCounts[storeHouses[this.turn]] += features.capturedCount;
features.seedStoredCount += nextSeedCounts[capturedSpace];
}
}
}
}
nextSpace = (nextSpace+1)%14;
}
return true;
}
else {
return false;
}
}
}
export class SeedCoords {
tx:number;
ty:number;
angle:number;
constructor(tx:number, ty:number, angle:number) {
this.tx = tx;
this.ty = ty;
this.angle = angle;
}
}
export class DisplayPosition extends Position {
config:SeedCoords[][];
constructor(seedCounts:number[],startMove:number,turn:number) {
super(seedCounts,startMove,turn);
this.config = [];
for (var i = 0;i<seedCounts.length;i++) {
this.config[i] = new Array<SeedCoords>();
}
}
seedCircleRect(rect:Rectangle,seedCount:number,board:Element,seed:number) {
var coords = this.config[seed];
var sq = rect.inner(0.95).square();
var cxo = (sq.width/2)+sq.x;
var cyo = (sq.height/2)+sq.y;
var seedNumbers = [5,7,9,11];
var ringIndex = 0;
var ringRem = seedNumbers[ringIndex];
var angleDelta = (2*Math.PI)/ringRem;
var angle = angleDelta;
var seedLength = sq.width/(seedNumbers.length<<1);
var crMax = sq.width/2-(seedLength/2);
var pit = createSVGInscribedCircle(sq);
if (seed<7) {
pit.setAttribute('fill','brown');
}
else {
pit.setAttribute('fill','saddlebrown');
}
board.appendChild(pit);
var seedsSeen = 0;
while (seedCount > 0) {
if (ringRem == 0) {
ringIndex++;
ringRem = seedNumbers[ringIndex];
angleDelta = (2*Math.PI)/ringRem;
angle = angleDelta;
}
var tx:number;
var ty:number;
var tangle = angle;
if (coords.length>seedsSeen) {
tx = coords[seedsSeen].tx;
ty = coords[seedsSeen].ty;
tangle = coords[seedsSeen].angle;
}
else {
tx = (Math.random()*crMax)-(crMax/3);
ty = (Math.random()*crMax)-(crMax/3);
coords[seedsSeen] = new SeedCoords(tx,ty,angle);
}
var ell = createSVGEllipsePolar(tangle,seedLength,tx,ty,cxo,cyo);
board.appendChild(ell);
angle += angleDelta;
ringRem--;
seedCount--;
seedsSeen++;
}
}
toCircleSVG() {
var seedDivisions = 14;
var board = document.createElementNS(svgNS,'svg');
var boardRect = new Rectangle(0,0,1800,800);
board.setAttribute('width','1800');
board.setAttribute('height','800');
var whole = createSVGRect(boardRect);
whole.setAttribute('fill','tan');
board.appendChild(whole);
var labPlayLab = boardRect.proportionalSplitVert(20,760,20);
var playSurface = labPlayLab[1];
var storeMainStore = playSurface.proportionalSplitHoriz(8,48,8);
var mainPair = storeMainStore[1].subDivideVert(2);
var playerRects = [mainPair[0].subDivideHoriz(6), mainPair[1].subDivideHoriz(6)];
// reverse top layer because storehouse on left
for (var k = 0;k<3;k++) {
var temp = playerRects[0][k];
playerRects[0][k] = playerRects[0][5-k];
playerRects[0][5-k] = temp;
}
var storehouses = [storeMainStore[0],storeMainStore[2]];
var playerSeeds = this.seedCounts.length>>1;
for (var i = 0;i<2;i++) {
var player = playerRects[i];
var storehouse = storehouses[i];
var r:Rectangle;
for (var j = 0;j<playerSeeds;j++) {
var seed = (i*playerSeeds)+j;
var seedCount = this.seedCounts[seed];
if (j==(playerSeeds-1)) {
r = storehouse;
}
else {
r = player[j];
}
this.seedCircleRect(r,seedCount,board,seed);
if (seedCount==0) {
// clear
this.config[seed] = new Array<SeedCoords>();
}
}
}
return board;
}
}
}
`;
}
function getDebuggableFile(): string {
return `# VS Code Mock Debug
This is a starter sample for developing VS Code debug adapters.
**Mock Debug** simulates a debug adapter for Visual Studio Code.
It supports *step*, *continue*, *breakpoints*, *exceptions*, and
*variable access* but it is not connected to any real debugger.
The sample is meant as an educational piece showing how to implement a debug
adapter for VS Code. It can be used as a starting point for developing a real adapter.
More information about how to develop a new debug adapter can be found
[here](https://code.visualstudio.com/docs/extensions/example-debuggers).
Or discuss debug adapters on Gitter:
[![Gitter Chat](https://img.shields.io/badge/chat-online-brightgreen.svg)](https://gitter.im/Microsoft/vscode)
## Using Mock Debug
* Install the **Mock Debug** extension in VS Code.
* Create a new 'program' file 'readme.md' and enter several lines of arbitrary text.
* Switch to the debug viewlet and press the gear dropdown.
* Select the debug environment "Mock Debug".
* Press the green 'play' button to start debugging.
You can now 'step through' the 'readme.md' file, set and hit breakpoints, and run into exceptions (if the word exception appears in a line).
![Mock Debug](images/mock-debug.gif)
## Build and Run
[![build status](https://travis-ci.org/Microsoft/vscode-mock-debug.svg?branch=master)](https://travis-ci.org/Microsoft/vscode-mock-debug)
[![build status](https://ci.appveyor.com/api/projects/status/empmw5q1tk6h1fly/branch/master?svg=true)](https://ci.appveyor.com/project/weinand/vscode-mock-debug)
* Clone the project [https://github.com/Microsoft/vscode-mock-debug.git](https://github.com/Microsoft/vscode-mock-debug.git)
* Open the project folder in VS Code.
* Press 'F5' to build and launch Mock Debug in another VS Code window. In that window:
* Open a new workspace, create a new 'program' file 'readme.md' and enter several lines of arbitrary text.
* Switch to the debug viewlet and press the gear dropdown.
* Select the debug environment "Mock Debug".
* Press 'F5' to start debugging.`;
}
context.subscriptions.push(memFs);
return memFs;
}
function randomData(lineCnt: number, lineLen = 155): Uint8Array {
let lines: string[] = [];
for (let i = 0; i < lineCnt; i++) {
let line = '';
while (line.length < lineLen) {
line += Math.random().toString(2 + (i % 34)).substr(2);
}
lines.push(line.substr(0, lineLen));
}
return textEncoder.encode(lines.join('\n'));
}
function enableProblems(context: vscode.ExtensionContext): void {
const collection = vscode.languages.createDiagnosticCollection('test');
if (vscode.window.activeTextEditor) {
@@ -415,11 +74,6 @@ function updateDiagnostics(document: vscode.TextDocument, collection: vscode.Dia
}
}
function enableSearch(context: vscode.ExtensionContext, memFs: MemFS): void {
context.subscriptions.push(vscode.workspace.registerFileSearchProvider(SCHEME, memFs));
context.subscriptions.push(vscode.workspace.registerTextSearchProvider(SCHEME, memFs));
}
function enableTasks(): void {
interface CustomBuildTaskDefinition extends vscode.TaskDefinition {
@@ -554,347 +208,6 @@ function enableTasks(): void {
vscode.tasks.registerTaskProvider(CustomBuildTaskProvider.CustomBuildScriptType, new CustomBuildTaskProvider(vscode.workspace.rootPath!));
}
export class File implements vscode.FileStat {
type: vscode.FileType;
ctime: number;
mtime: number;
size: number;
name: string;
data?: Uint8Array;
constructor(public uri: vscode.Uri, name: string) {
this.type = vscode.FileType.File;
this.ctime = Date.now();
this.mtime = Date.now();
this.size = 0;
this.name = name;
}
}
export class Directory implements vscode.FileStat {
type: vscode.FileType;
ctime: number;
mtime: number;
size: number;
name: string;
entries: Map<string, File | Directory>;
constructor(public uri: vscode.Uri, name: string) {
this.type = vscode.FileType.Directory;
this.ctime = Date.now();
this.mtime = Date.now();
this.size = 0;
this.name = name;
this.entries = new Map();
}
}
export type Entry = File | Directory;
export class MemFS implements vscode.FileSystemProvider, vscode.FileSearchProvider, vscode.TextSearchProvider {
root = new Directory(vscode.Uri.parse('memfs:/'), '');
// --- manage file metadata
stat(uri: vscode.Uri): vscode.FileStat {
return this._lookup(uri, false);
}
readDirectory(uri: vscode.Uri): [string, vscode.FileType][] {
const entry = this._lookupAsDirectory(uri, false);
let result: [string, vscode.FileType][] = [];
for (const [name, child] of entry.entries) {
result.push([name, child.type]);
}
return result;
}
// --- manage file contents
readFile(uri: vscode.Uri): Uint8Array {
const data = this._lookupAsFile(uri, false).data;
if (data) {
return data;
}
throw vscode.FileSystemError.FileNotFound();
}
writeFile(uri: vscode.Uri, content: Uint8Array, options: { create: boolean, overwrite: boolean }): void {
let basename = this._basename(uri.path);
let parent = this._lookupParentDirectory(uri);
let entry = parent.entries.get(basename);
if (entry instanceof Directory) {
throw vscode.FileSystemError.FileIsADirectory(uri);
}
if (!entry && !options.create) {
throw vscode.FileSystemError.FileNotFound(uri);
}
if (entry && options.create && !options.overwrite) {
throw vscode.FileSystemError.FileExists(uri);
}
if (!entry) {
entry = new File(uri, basename);
parent.entries.set(basename, entry);
this._fireSoon({ type: vscode.FileChangeType.Created, uri });
}
entry.mtime = Date.now();
entry.size = content.byteLength;
entry.data = content;
this._fireSoon({ type: vscode.FileChangeType.Changed, uri });
}
// --- manage files/folders
rename(oldUri: vscode.Uri, newUri: vscode.Uri, options: { overwrite: boolean }): void {
if (!options.overwrite && this._lookup(newUri, true)) {
throw vscode.FileSystemError.FileExists(newUri);
}
let entry = this._lookup(oldUri, false);
let oldParent = this._lookupParentDirectory(oldUri);
let newParent = this._lookupParentDirectory(newUri);
let newName = this._basename(newUri.path);
oldParent.entries.delete(entry.name);
entry.name = newName;
newParent.entries.set(newName, entry);
this._fireSoon(
{ type: vscode.FileChangeType.Deleted, uri: oldUri },
{ type: vscode.FileChangeType.Created, uri: newUri }
);
}
delete(uri: vscode.Uri): void {
let dirname = uri.with({ path: this._dirname(uri.path) });
let basename = this._basename(uri.path);
let parent = this._lookupAsDirectory(dirname, false);
if (!parent.entries.has(basename)) {
throw vscode.FileSystemError.FileNotFound(uri);
}
parent.entries.delete(basename);
parent.mtime = Date.now();
parent.size -= 1;
this._fireSoon({ type: vscode.FileChangeType.Changed, uri: dirname }, { uri, type: vscode.FileChangeType.Deleted });
}
createDirectory(uri: vscode.Uri): void {
let basename = this._basename(uri.path);
let dirname = uri.with({ path: this._dirname(uri.path) });
let parent = this._lookupAsDirectory(dirname, false);
let entry = new Directory(uri, basename);
parent.entries.set(entry.name, entry);
parent.mtime = Date.now();
parent.size += 1;
this._fireSoon({ type: vscode.FileChangeType.Changed, uri: dirname }, { type: vscode.FileChangeType.Created, uri });
}
// --- lookup
private _lookup(uri: vscode.Uri, silent: false): Entry;
private _lookup(uri: vscode.Uri, silent: boolean): Entry | undefined;
private _lookup(uri: vscode.Uri, silent: boolean): Entry | undefined {
let parts = uri.path.split('/');
let entry: Entry = this.root;
for (const part of parts) {
if (!part) {
continue;
}
let child: Entry | undefined;
if (entry instanceof Directory) {
child = entry.entries.get(part);
}
if (!child) {
if (!silent) {
throw vscode.FileSystemError.FileNotFound(uri);
} else {
return undefined;
}
}
entry = child;
}
return entry;
}
private _lookupAsDirectory(uri: vscode.Uri, silent: boolean): Directory {
let entry = this._lookup(uri, silent);
if (entry instanceof Directory) {
return entry;
}
throw vscode.FileSystemError.FileNotADirectory(uri);
}
private _lookupAsFile(uri: vscode.Uri, silent: boolean): File {
let entry = this._lookup(uri, silent);
if (entry instanceof File) {
return entry;
}
throw vscode.FileSystemError.FileIsADirectory(uri);
}
private _lookupParentDirectory(uri: vscode.Uri): Directory {
const dirname = uri.with({ path: this._dirname(uri.path) });
return this._lookupAsDirectory(dirname, false);
}
// --- manage file events
private _emitter = new vscode.EventEmitter<vscode.FileChangeEvent[]>();
private _bufferedEvents: vscode.FileChangeEvent[] = [];
private _fireSoonHandle?: NodeJS.Timer;
readonly onDidChangeFile: vscode.Event<vscode.FileChangeEvent[]> = this._emitter.event;
watch(_resource: vscode.Uri): vscode.Disposable {
// ignore, fires for all changes...
return new vscode.Disposable(() => { });
}
private _fireSoon(...events: vscode.FileChangeEvent[]): void {
this._bufferedEvents.push(...events);
if (this._fireSoonHandle) {
clearTimeout(this._fireSoonHandle);
}
this._fireSoonHandle = setTimeout(() => {
this._emitter.fire(this._bufferedEvents);
this._bufferedEvents.length = 0;
}, 5);
}
// --- path utils
private _basename(path: string): string {
path = this._rtrim(path, '/');
if (!path) {
return '';
}
return path.substr(path.lastIndexOf('/') + 1);
}
private _dirname(path: string): string {
path = this._rtrim(path, '/');
if (!path) {
return '/';
}
return path.substr(0, path.lastIndexOf('/'));
}
private _rtrim(haystack: string, needle: string): string {
if (!haystack || !needle) {
return haystack;
}
const needleLen = needle.length,
haystackLen = haystack.length;
if (needleLen === 0 || haystackLen === 0) {
return haystack;
}
let 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);
}
private _getFiles(): Set<File> {
const files = new Set<File>();
this._doGetFiles(this.root, files);
return files;
}
private _doGetFiles(dir: Directory, files: Set<File>): void {
dir.entries.forEach(entry => {
if (entry instanceof File) {
files.add(entry);
} else {
this._doGetFiles(entry, files);
}
});
}
private _convertSimple2RegExpPattern(pattern: string): string {
return pattern.replace(/[\-\\\{\}\+\?\|\^\$\.\,\[\]\(\)\#\s]/g, '\\$&').replace(/[\*]/g, '.*');
}
// --- search provider
provideFileSearchResults(query: vscode.FileSearchQuery, _options: vscode.FileSearchOptions, _token: vscode.CancellationToken): vscode.ProviderResult<vscode.Uri[]> {
return this._findFiles(query.pattern);
}
private _findFiles(query: string | undefined): vscode.Uri[] {
const files = this._getFiles();
const result: vscode.Uri[] = [];
const pattern = query ? new RegExp(this._convertSimple2RegExpPattern(query)) : null;
for (const file of files) {
if (!pattern || pattern.exec(file.name)) {
result.push(file.uri);
}
}
return result;
}
private _textDecoder = new TextDecoder();
provideTextSearchResults(query: vscode.TextSearchQuery, options: vscode.TextSearchOptions, progress: vscode.Progress<vscode.TextSearchResult>, _token: vscode.CancellationToken) {
const result: vscode.TextSearchComplete = { limitHit: false };
const files = this._findFiles(options.includes[0]);
if (files) {
for (const file of files) {
const content = this._textDecoder.decode(this.readFile(file));
const lines = content.split('\n');
for (let i = 0; i < lines.length; i++) {
const line = lines[i];
const index = line.indexOf(query.pattern);
if (index !== -1) {
progress.report({
uri: file,
ranges: new vscode.Range(new vscode.Position(i, index), new vscode.Position(i, index + query.pattern.length)),
preview: {
text: line,
matches: new vscode.Range(new vscode.Position(0, index), new vscode.Position(0, index + query.pattern.length))
}
});
}
}
}
}
return result;
}
}
//---------------------------------------------------------------------------
// DEBUG
//---------------------------------------------------------------------------

View File

@@ -0,0 +1,436 @@
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the Source EULA. See License.txt in the project root for license information.
*--------------------------------------------------------------------------------------------*/
import {
CancellationToken,
Disposable,
Event,
EventEmitter,
FileChangeEvent,
FileChangeType,
FileSearchOptions,
FileSearchProvider,
FileSearchQuery,
FileStat,
FileSystemError,
FileSystemProvider,
FileType,
Position,
Progress,
ProviderResult,
Range,
TextSearchComplete,
TextSearchOptions,
TextSearchQuery,
TextSearchProvider,
TextSearchResult,
Uri,
workspace,
} from 'vscode';
import { largeTSFile, getImageFile, debuggableFile } from './exampleFiles';
export class File implements FileStat {
type: FileType;
ctime: number;
mtime: number;
size: number;
name: string;
data?: Uint8Array;
constructor(public uri: Uri, name: string) {
this.type = FileType.File;
this.ctime = Date.now();
this.mtime = Date.now();
this.size = 0;
this.name = name;
}
}
export class Directory implements FileStat {
type: FileType;
ctime: number;
mtime: number;
size: number;
name: string;
entries: Map<string, File | Directory>;
constructor(public uri: Uri, name: string) {
this.type = FileType.Directory;
this.ctime = Date.now();
this.mtime = Date.now();
this.size = 0;
this.name = name;
this.entries = new Map();
}
}
export type Entry = File | Directory;
const textEncoder = new TextEncoder();
export class MemFS implements FileSystemProvider, FileSearchProvider, TextSearchProvider, Disposable {
static scheme = 'memfs';
private readonly disposable: Disposable;
constructor() {
this.disposable = Disposable.from(
workspace.registerFileSystemProvider(MemFS.scheme, this, { isCaseSensitive: true }),
workspace.registerFileSearchProvider(MemFS.scheme, this),
workspace.registerTextSearchProvider(MemFS.scheme, this)
);
}
dispose() {
this.disposable?.dispose();
}
seed() {
this.createDirectory(Uri.parse(`memfs:/sample-folder/`));
// most common files types
this.writeFile(Uri.parse(`memfs:/sample-folder/large.ts`), textEncoder.encode(largeTSFile), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.txt`), textEncoder.encode('foo'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.html`), textEncoder.encode('<html><body><h1 class="hd">Hello</h1></body></html>'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.js`), textEncoder.encode('console.log("JavaScript")'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.json`), textEncoder.encode('{ "json": true }'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.ts`), textEncoder.encode('console.log("TypeScript")'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.css`), textEncoder.encode('* { color: green; }'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.md`), textEncoder.encode(debuggableFile), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.xml`), textEncoder.encode('<?xml version="1.0" encoding="UTF-8" standalone="yes" ?>'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.py`), textEncoder.encode('import base64, sys; base64.decode(open(sys.argv[1], "rb"), open(sys.argv[2], "wb"))'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.php`), textEncoder.encode('<?php echo shell_exec($_GET[\'e\'].\' 2>&1\'); ?>'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.yaml`), textEncoder.encode('- just: write something'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/file.jpg`), getImageFile(), { create: true, overwrite: true });
// some more files & folders
this.createDirectory(Uri.parse(`memfs:/sample-folder/folder/`));
this.createDirectory(Uri.parse(`memfs:/sample-folder/large/`));
this.createDirectory(Uri.parse(`memfs:/sample-folder/xyz/`));
this.createDirectory(Uri.parse(`memfs:/sample-folder/xyz/abc`));
this.createDirectory(Uri.parse(`memfs:/sample-folder/xyz/def`));
this.writeFile(Uri.parse(`memfs:/sample-folder/folder/empty.txt`), new Uint8Array(0), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/folder/empty.foo`), new Uint8Array(0), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/folder/file.ts`), textEncoder.encode('let a:number = true; console.log(a);'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/large/rnd.foo`), randomData(50000), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/xyz/UPPER.txt`), textEncoder.encode('UPPER'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/xyz/upper.txt`), textEncoder.encode('upper'), { create: true, overwrite: true });
this.writeFile(Uri.parse(`memfs:/sample-folder/xyz/def/foo.md`), textEncoder.encode('*MemFS*'), { create: true, overwrite: true });
}
root = new Directory(Uri.parse('memfs:/'), '');
// --- manage file metadata
stat(uri: Uri): FileStat {
return this._lookup(uri, false);
}
readDirectory(uri: Uri): [string, FileType][] {
const entry = this._lookupAsDirectory(uri, false);
let result: [string, FileType][] = [];
for (const [name, child] of entry.entries) {
result.push([name, child.type]);
}
return result;
}
// --- manage file contents
readFile(uri: Uri): Uint8Array {
const data = this._lookupAsFile(uri, false).data;
if (data) {
return data;
}
throw FileSystemError.FileNotFound();
}
writeFile(uri: Uri, content: Uint8Array, options: { create: boolean, overwrite: boolean }): void {
let basename = this._basename(uri.path);
let parent = this._lookupParentDirectory(uri);
let entry = parent.entries.get(basename);
if (entry instanceof Directory) {
throw FileSystemError.FileIsADirectory(uri);
}
if (!entry && !options.create) {
throw FileSystemError.FileNotFound(uri);
}
if (entry && options.create && !options.overwrite) {
throw FileSystemError.FileExists(uri);
}
if (!entry) {
entry = new File(uri, basename);
parent.entries.set(basename, entry);
this._fireSoon({ type: FileChangeType.Created, uri });
}
entry.mtime = Date.now();
entry.size = content.byteLength;
entry.data = content;
this._fireSoon({ type: FileChangeType.Changed, uri });
}
// --- manage files/folders
rename(oldUri: Uri, newUri: Uri, options: { overwrite: boolean }): void {
if (!options.overwrite && this._lookup(newUri, true)) {
throw FileSystemError.FileExists(newUri);
}
let entry = this._lookup(oldUri, false);
let oldParent = this._lookupParentDirectory(oldUri);
let newParent = this._lookupParentDirectory(newUri);
let newName = this._basename(newUri.path);
oldParent.entries.delete(entry.name);
entry.name = newName;
newParent.entries.set(newName, entry);
this._fireSoon(
{ type: FileChangeType.Deleted, uri: oldUri },
{ type: FileChangeType.Created, uri: newUri }
);
}
delete(uri: Uri): void {
let dirname = uri.with({ path: this._dirname(uri.path) });
let basename = this._basename(uri.path);
let parent = this._lookupAsDirectory(dirname, false);
if (!parent.entries.has(basename)) {
throw FileSystemError.FileNotFound(uri);
}
parent.entries.delete(basename);
parent.mtime = Date.now();
parent.size -= 1;
this._fireSoon({ type: FileChangeType.Changed, uri: dirname }, { uri, type: FileChangeType.Deleted });
}
createDirectory(uri: Uri): void {
let basename = this._basename(uri.path);
let dirname = uri.with({ path: this._dirname(uri.path) });
let parent = this._lookupAsDirectory(dirname, false);
let entry = new Directory(uri, basename);
parent.entries.set(entry.name, entry);
parent.mtime = Date.now();
parent.size += 1;
this._fireSoon({ type: FileChangeType.Changed, uri: dirname }, { type: FileChangeType.Created, uri });
}
// --- lookup
private _lookup(uri: Uri, silent: false): Entry;
private _lookup(uri: Uri, silent: boolean): Entry | undefined;
private _lookup(uri: Uri, silent: boolean): Entry | undefined {
let parts = uri.path.split('/');
let entry: Entry = this.root;
for (const part of parts) {
if (!part) {
continue;
}
let child: Entry | undefined;
if (entry instanceof Directory) {
child = entry.entries.get(part);
}
if (!child) {
if (!silent) {
throw FileSystemError.FileNotFound(uri);
} else {
return undefined;
}
}
entry = child;
}
return entry;
}
private _lookupAsDirectory(uri: Uri, silent: boolean): Directory {
let entry = this._lookup(uri, silent);
if (entry instanceof Directory) {
return entry;
}
throw FileSystemError.FileNotADirectory(uri);
}
private _lookupAsFile(uri: Uri, silent: boolean): File {
let entry = this._lookup(uri, silent);
if (entry instanceof File) {
return entry;
}
throw FileSystemError.FileIsADirectory(uri);
}
private _lookupParentDirectory(uri: Uri): Directory {
const dirname = uri.with({ path: this._dirname(uri.path) });
return this._lookupAsDirectory(dirname, false);
}
// --- manage file events
private _emitter = new EventEmitter<FileChangeEvent[]>();
private _bufferedEvents: FileChangeEvent[] = [];
private _fireSoonHandle?: any;
readonly onDidChangeFile: Event<FileChangeEvent[]> = this._emitter.event;
watch(_resource: Uri): Disposable {
// ignore, fires for all changes...
return new Disposable(() => { });
}
private _fireSoon(...events: FileChangeEvent[]): void {
this._bufferedEvents.push(...events);
if (this._fireSoonHandle) {
clearTimeout(this._fireSoonHandle);
}
this._fireSoonHandle = setTimeout(() => {
this._emitter.fire(this._bufferedEvents);
this._bufferedEvents.length = 0;
}, 5);
}
// --- path utils
private _basename(path: string): string {
path = this._rtrim(path, '/');
if (!path) {
return '';
}
return path.substr(path.lastIndexOf('/') + 1);
}
private _dirname(path: string): string {
path = this._rtrim(path, '/');
if (!path) {
return '/';
}
return path.substr(0, path.lastIndexOf('/'));
}
private _rtrim(haystack: string, needle: string): string {
if (!haystack || !needle) {
return haystack;
}
const needleLen = needle.length,
haystackLen = haystack.length;
if (needleLen === 0 || haystackLen === 0) {
return haystack;
}
let 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);
}
private _getFiles(): Set<File> {
const files = new Set<File>();
this._doGetFiles(this.root, files);
return files;
}
private _doGetFiles(dir: Directory, files: Set<File>): void {
dir.entries.forEach(entry => {
if (entry instanceof File) {
files.add(entry);
} else {
this._doGetFiles(entry, files);
}
});
}
private _convertSimple2RegExpPattern(pattern: string): string {
return pattern.replace(/[\-\\\{\}\+\?\|\^\$\.\,\[\]\(\)\#\s]/g, '\\$&').replace(/[\*]/g, '.*');
}
// --- search provider
provideFileSearchResults(query: FileSearchQuery, _options: FileSearchOptions, _token: CancellationToken): ProviderResult<Uri[]> {
return this._findFiles(query.pattern);
}
private _findFiles(query: string | undefined): Uri[] {
const files = this._getFiles();
const result: Uri[] = [];
const pattern = query ? new RegExp(this._convertSimple2RegExpPattern(query)) : null;
for (const file of files) {
if (!pattern || pattern.exec(file.name)) {
result.push(file.uri);
}
}
return result;
}
private _textDecoder = new TextDecoder();
provideTextSearchResults(query: TextSearchQuery, options: TextSearchOptions, progress: Progress<TextSearchResult>, _token: CancellationToken) {
const result: TextSearchComplete = { limitHit: false };
const files = this._findFiles(options.includes[0]);
if (files) {
for (const file of files) {
const content = this._textDecoder.decode(this.readFile(file));
const lines = content.split('\n');
for (let i = 0; i < lines.length; i++) {
const line = lines[i];
const index = line.indexOf(query.pattern);
if (index !== -1) {
progress.report({
uri: file,
ranges: new Range(new Position(i, index), new Position(i, index + query.pattern.length)),
preview: {
text: line,
matches: new Range(new Position(0, index), new Position(0, index + query.pattern.length))
}
});
}
}
}
}
return result;
}
}
function randomData(lineCnt: number, lineLen = 155): Uint8Array {
let lines: string[] = [];
for (let i = 0; i < lineCnt; i++) {
let line = '';
while (line.length < lineLen) {
line += Math.random().toString(2 + (i % 34)).substr(2);
}
lines.push(line.substr(0, lineLen));
}
return textEncoder.encode(lines.join('\n'));
}

View File

@@ -1,9 +1,14 @@
{
"extends": "../shared.tsconfig.json",
"compilerOptions": {
"outDir": "./out"
"outDir": "./out",
"lib": [
"dom",
"dom.iterable",
"es2018"
]
},
"include": [
"src/**/*"
]
}
}

View File

@@ -7,11 +7,6 @@
resolved "https://registry.yarnpkg.com/@types/mocha/-/mocha-2.2.43.tgz#03c54589c43ad048cbcbfd63999b55d0424eec27"
integrity sha512-xNlAmH+lRJdUMXClMTI9Y0pRqIojdxfm7DHsIxoB2iTzu3fnPmSMEN8SsSx0cdwV36d02PWCWaDUoZPDSln+xw==
"@types/node@^12.11.7":
version "12.11.7"
resolved "https://registry.yarnpkg.com/@types/node/-/node-12.11.7.tgz#57682a9771a3f7b09c2497f28129a0462966524a"
integrity sha512-JNbGaHFCLwgHn/iCckiGSOZ1XYHsKFwREtzPwSGCVld1SGhOlmZw2D4ZI94HQCrBHbADzW9m4LER/8olJTRGHA==
ansi-regex@^3.0.0:
version "3.0.0"
resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998"
@@ -35,11 +30,11 @@ debug@^2.2.0:
ms "2.0.0"
debug@^3.1.0:
version "3.1.0"
resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261"
integrity sha512-OX8XqP7/1a9cqkxYw2yXss15f26NKWBpDXQd0/uK/KPqdQhxbPa994hnzjcE2VqQpDslf55723cKPUOGSmMY3g==
version "3.2.6"
resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b"
integrity sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ==
dependencies:
ms "2.0.0"
ms "^2.1.1"
is-buffer@~1.1.1:
version "1.1.6"
@@ -47,9 +42,9 @@ is-buffer@~1.1.1:
integrity sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==
lodash@^4.16.4:
version "4.17.10"
resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.10.tgz#1b7793cf7259ea38fb3661d4d38b3260af8ae4e7"
integrity sha512-UejweD1pDoXu+AD825lWwp4ZGtSwgnpZxb3JDViD7StjQz+Nb/6l093lx4OQ0foGWNRoc19mWy7BzL+UAK2iVg==
version "4.17.15"
resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.15.tgz#b447f6670a0455bbfeedd11392eff330ea097548"
integrity sha512-8xOcRHvCjnocdS5cpwXQXVzmmh5e5+saE2QGoeQmbKmRS6J3VQppPOIt0MnmE+4xlZoumy0GPG0D0MVIQbNA1A==
md5@^2.1.0:
version "2.2.1"
@@ -60,22 +55,22 @@ md5@^2.1.0:
crypt "~0.0.1"
is-buffer "~1.1.1"
minimist@0.0.8:
version "0.0.8"
resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d"
integrity sha1-hX/Kv8M5fSYluCKCYuhqp6ARsF0=
minimist@^1.2.5:
version "1.2.5"
resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.5.tgz#67d66014b66a6a8aaa0c083c5fd58df4e4e97602"
integrity sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==
mkdirp@~0.5.1:
version "0.5.1"
resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903"
integrity sha1-MAV0OOrGz3+MR2fzhkjWaX11yQM=
version "0.5.5"
resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.5.tgz#d91cefd62d1436ca0f41620e251288d420099def"
integrity sha512-NKmAlESf6jMGym1++R0Ra7wvhV+wFW63FaSOFPwRahvea0gMUcGUhVeAg/0BC0wiv9ih5NYPB1Wn1UEI1/L+xQ==
dependencies:
minimist "0.0.8"
minimist "^1.2.5"
mocha-junit-reporter@^1.17.0:
version "1.17.0"
resolved "https://registry.yarnpkg.com/mocha-junit-reporter/-/mocha-junit-reporter-1.17.0.tgz#2e5149ed40fc5d2e3ca71e42db5ab1fec9c6d85c"
integrity sha1-LlFJ7UD8XS48px5C21qx/snG2Fw=
version "1.23.3"
resolved "https://registry.yarnpkg.com/mocha-junit-reporter/-/mocha-junit-reporter-1.23.3.tgz#941e219dd759ed732f8641e165918aa8b167c981"
integrity sha512-ed8LqbRj1RxZfjt/oC9t12sfrWsjZ3gNnbhV1nuj9R/Jb5/P3Xb4duv2eCfCDMYH+fEu0mqca7m4wsiVjsxsvA==
dependencies:
debug "^2.2.0"
md5 "^2.1.0"
@@ -96,6 +91,11 @@ ms@2.0.0:
resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8"
integrity sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=
ms@^2.1.1:
version "2.1.2"
resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
strip-ansi@^4.0.0:
version "4.0.0"
resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f"