Newer
Older

s1995588
committed
import * as vscode from "vscode";
import {
TextDocument
} from "vscode";
import {
NotificationType,
ProgressType,
TextDocumentIdentifier
} from "vscode-languageclient/node";
import { analysisResultsProvider, client, provider } from './extension';
export let localToolNames: Array<string> | undefined;
export let localDocumentVars: Array<{ uri: string, constants: Array<{ name: string, value: string }>, distributions: Array<{ name: string, value: string }> }> = [];
export let localParameters: Array<{ toolName: string, parameters: Array<{ id: string, defaultValue: string, type: ParameterType, category: string }> }> = [];

s1995588
committed
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
//#region interfaces
interface ParameterDefinitions {
parameterDefinitions: Array<ParameterDefinition>,
}
interface ParameterDefinition {
id: string,
name: string,
description: string,
category: string,
type: ParameterType
isOptional: boolean,
defaultValue: string,
}
interface ParameterType {
valueType: string,
innerType: Array<ParameterType>,
possibleValues: Array<string>,
}
interface ProgressIndication {
message: string,
progress: number
}
interface ResultNotification {
progressToken: string,
data: string
}
//#endregion
export function initializeTools() {
client?.sendRequest<any>("modest/getTools").then(data => {
localToolNames = data.availableTools;

s1995588
committed
provider.sendMessage({
type: "fillTools",

s1995588
committed
});
});
}
export function getDocumentVars(document: TextDocument) {

s1995588
committed
if (document.languageId === "modest") {
if (document.uri) {
let uri = document.uri.toString();
let jsonObject = { "textDocument": TextDocumentIdentifier.create(uri) };
client?.sendRequest<{ constants: Array<string>, distributions: Array<string> }>("modest/getDocumentVars", jsonObject).then(data => {
const index = localDocumentVars.findIndex(x => x.uri === uri);
const newConstants = data.constants.map(constant => {

s1995588
committed
return { name: constant, value: "" };
});
const newDistributions = data.distributions.map(distribution => {
return { name: distribution, value: "" };
});

s1995588
committed
if (index === -1) {
localDocumentVars.push({ "uri": uri, constants: newConstants, distributions: newDistributions });

s1995588
committed
} else {
localDocumentVars[index].constants = newConstants;
localDocumentVars[index].distributions = newDistributions;

s1995588
committed
}
provider.sendMessage({
type: "updateDocumentVars",
documentVars: localDocumentVars,

s1995588
committed
"uri": uri
});
});
}
}
}
function getParameters(toolName: string) {
let jsonObject = { "toolName": toolName };
client?.sendRequest<ParameterDefinitions>("modest/getParameters", jsonObject).then(data => {
const index = localParameters.findIndex(x => x.toolName === toolName);

s1995588
committed
const newParameters = data.parameterDefinitions.map(parameter => {
return { id: parameter.id, defaultValue: parameter.defaultValue, type: parameter.type, category: parameter.category };

s1995588
committed
});
if (index === -1) {
localParameters.push({ toolName: toolName, parameters: newParameters });

s1995588
committed
} else {
localParameters[index].parameters = newParameters;

s1995588
committed
}
provider.sendMessage({
type: "updateParameters",
parameters: localParameters,

s1995588
committed
toolName: toolName
});
});
}
function runTool(uri: string, toolName: string, constants: { name: string; value: string; }[], suppliedParameters: { id: string; value: string; }[]) {
const toolIndex = localParameters.findIndex(x => x.toolName === toolName);

s1995588
committed
let serverParameters: Array<{ id: string, value: string }> = [];
if (toolIndex !== -1) {
for (const parameter of suppliedParameters) {
const parameterIndex = localParameters[toolIndex].parameters.findIndex(x => x.id === parameter.id);

s1995588
committed
if (parameterIndex !== -1) {
if (localParameters[toolIndex].parameters[parameterIndex].defaultValue !== parameter.value) {

s1995588
committed
serverParameters.push(parameter);
}
}
}
}
let jsonObject = {
textDocument: TextDocumentIdentifier.create(uri),
toolName: toolName,
constants: constants,
parameters: serverParameters,
progressToken: uri + toolName + constants + serverParameters + Date.now()
};
vscode.window.activeTextEditor?.document.save();
vscode.window.withProgress({ location: vscode.ProgressLocation.Notification, cancellable: false, title: "Running " + toolName }, async (progress, token) => {
await new Promise<null>(async (resolve, _) => {
let progressHandler = client?.onProgress(new ProgressType<ProgressIndication>(), jsonObject.progressToken, indication => {
progress.report({ message: indication.message, increment: indication.progress * 100 });
});
let resultHandler = client?.onNotification(new NotificationType<ResultNotification>("modest/toolResult"), data => {
if (data.progressToken === jsonObject.progressToken) {
if (data.data && data.data !== "") {
try {
analysisResultsProvider.setJsonString(data.data);
console.error(error);
}
}

s1995588
committed
progressHandler?.dispose();
resultHandler?.dispose();
resolve(null);
}
});

Stekelenburg, A.V. (Alexander, Student )
committed
if (client === null) {
vscode.window.showErrorMessage("Server not ready yet, try again later");
resolve(null);
} else {
await client?.sendRequest<string>("modest/runTool", jsonObject, token);
}

s1995588
committed
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
});
});
}
export class ModestSidebarProvider implements vscode.WebviewViewProvider {
public static readonly viewType = "modest.modestSidebar";
private _view?: vscode.WebviewView;
constructor(private readonly _extensionUri: vscode.Uri) { }
resolveWebviewView(
webviewView: vscode.WebviewView,
context: vscode.WebviewViewResolveContext<unknown>,
token: vscode.CancellationToken
): void | Thenable<void> {
this._view = webviewView;
webviewView.webview.options = {
// Allow scripts in the webview
enableScripts: true,
localResourceRoots: [this._extensionUri],
};
webviewView.webview.html = this._getHtmlForWebview(webviewView.webview);
webviewView.webview.onDidReceiveMessage(data => {
console.log(data);
switch (data.type) {
case 'init': {

s1995588
committed
provider.sendMessage({
type: "fillTools",

s1995588
committed
});
}

s1995588
committed
provider.sendMessage({
type: "updateDocumentVars",
documentVars: localDocumentVars

s1995588
committed
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
});
}
break;
}
case 'toolSelected': {
getParameters(data.toolName);
break;
}
case 'runTool': {
runTool(data.uri, data.toolName, data.constants, data.parameters);
break;
}
}
});
}
/**
* sendMessage
* @param {any} message
*/
public sendMessage(message: any) {
this._view?.show(true);
this._view?.webview?.postMessage(message);
}
private _getHtmlForWebview(webview: vscode.Webview) {
// Get the local path to main script run in the webview, then convert it to a uri we can use in the webview.
const scriptUri = webview.asWebviewUri(
vscode.Uri.joinPath(this._extensionUri, "media", "main.js")
);
// Do the same for the stylesheet.
const styleResetUri = webview.asWebviewUri(vscode.Uri.joinPath(this._extensionUri, 'media', 'reset.css'));
const styleVSCodeUri = webview.asWebviewUri(vscode.Uri.joinPath(this._extensionUri, 'media', 'vscode.css'));
const styleMainUri = webview.asWebviewUri(vscode.Uri.joinPath(this._extensionUri, 'media', 'main.css'));
const styleCodicons = webview.asWebviewUri(vscode.Uri.joinPath(this._extensionUri, 'node_modules', 'vscode-codicons', 'dist', 'codicon.css'));
const fontCodicons = webview.asWebviewUri(vscode.Uri.joinPath(this._extensionUri, 'node_modules', 'vscode-codicons', 'dist', 'codicon.ttf'));
// Use a nonce to only allow a specific script to be run.
const nonce = getNonce();
return `<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="Content-Security-Policy" content="default-src 'none'; font-src ${fontCodicons}; style-src ${webview.cspSource}; script-src 'nonce-${nonce}';">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<link href="${styleResetUri}" rel="stylesheet">
<link href="${styleVSCodeUri}" rel="stylesheet">
<link href="${styleMainUri}" rel="stylesheet">
<link href="${styleCodicons}" rel="stylesheet">

s1995588
committed
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
<title>Modest run dialog</title>
</head>
<body>
<h3>Select tool</h3>
<div id="run-box">
<select class="tools-dropdown" id="tools"> </select>
<button id="run-button"><i class="codicon codicon-play"></i></button>
</div>
<div class="pane-view">
<div class="split-view-view">
<div class="pane vertical">
<div class="pane-header">
<div class="codicon codicon-chevron-down"></div>
<h3 class="title" title="Open Editors">Open constants </h3>
</div>
<div class="pane-body">
<ul class="option-list" id="constants">There are no undefined constants.</ul>
</div>
</div>
<div class="pane vertical">
<div class="pane-header">
<div class="codicon codicon-chevron-down"></div>
<h3 class="title" title="Open Editors">Parameters</h3>
</div>
<div class="pane-body">
<ul class="option-list" id="parameters">There are no parameters.</ul>
</div>
</div>

s1995588
committed
</div>
</div>
<script nonce="${nonce}" src="${scriptUri}"></script>
</body>
</html>
`;

s1995588
committed
function getNonce() {
let text = "";
const possible =
"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789";
for (let i = 0; i < 32; i++) {
text += possible.charAt(
Math.floor(Math.random() * possible.length)
);
}
return text;
}
}
}