Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Integrate new DTL Editor #1469

Merged
merged 6 commits into from
Mar 3, 2025
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 2 additions & 2 deletions package.json
Original file line number Diff line number Diff line change
Expand Up @@ -1739,8 +1739,8 @@
],
"customEditors": [
{
"viewType": "vscode-objectscript.rule",
"displayName": "Rule Editor",
"viewType": "vscode-objectscript.lowCode",
"displayName": "Low-Code Editor",
"selector": [
{
"filenamePattern": "*.cls"
Expand Down
4 changes: 2 additions & 2 deletions src/extension.ts
Original file line number Diff line number Diff line change
Expand Up @@ -135,7 +135,7 @@ import {
modifyProjectMetadata,
} from "./commands/project";
import { loadStudioColors, loadStudioSnippets } from "./commands/studioMigration";
import { RuleEditorProvider } from "./providers/RuleEditorProvider";
import { LowCodeEditorProvider } from "./providers/LowCodeEditorProvider";
import { newFile, NewFileType } from "./commands/newFile";
import { FileDecorationProvider } from "./providers/FileDecorationProvider";
import { RESTDebugPanel } from "./commands/restDebugPanel";
Expand Down Expand Up @@ -1318,7 +1318,7 @@ export async function activate(context: vscode.ExtensionContext): Promise<any> {
vscode.commands.registerCommand("vscode-objectscript.explorer.project.addWorkspaceFolderForProject", (node) =>
addWorkspaceFolderForProject(node)
),
vscode.window.registerCustomEditorProvider("vscode-objectscript.rule", new RuleEditorProvider(), {
vscode.window.registerCustomEditorProvider("vscode-objectscript.lowCode", new LowCodeEditorProvider(), {
webviewOptions: {
retainContextWhenHidden: true,
},
Expand Down
Original file line number Diff line number Diff line change
@@ -1,20 +1,22 @@
import * as vscode from "vscode";
import { lt } from "semver";
import { AtelierAPI } from "../api";
import { loadChanges } from "../commands/compile";
import { StudioActions } from "../commands/studio";
import { clsLangId } from "../extension";
import { cspApps, currentFile, handleError, openCustomEditors, outputChannel } from "../utils";
import { currentFile, openCustomEditors, outputChannel } from "../utils";

export class RuleEditorProvider implements vscode.CustomTextEditorProvider {
private static readonly _webapp: string = "/ui/interop/rule-editor";
export class LowCodeEditorProvider implements vscode.CustomTextEditorProvider {
private readonly _rule: string = "/ui/interop/rule-editor";
private readonly _dtl: string = "/ui/interop/dtl-editor";

private static _errorMessage(detail: string) {
private _errorMessage(detail: string) {
return vscode.window
.showErrorMessage("Cannot open Rule Editor.", {
.showErrorMessage("Cannot open Low-Code Editor.", {
modal: true,
detail,
})
.then(() => vscode.commands.executeCommand<void>("workbench.action.toggleEditorType"));
.then(() => vscode.commands.executeCommand<void>("workbench.action.reopenTextEditor"));
}

async resolveCustomTextEditor(
Expand All @@ -24,57 +26,66 @@ export class RuleEditorProvider implements vscode.CustomTextEditorProvider {
): Promise<void> {
// Check that document is a clean, well-formed class
if (document.languageId != clsLangId) {
return RuleEditorProvider._errorMessage(`${document.fileName} is not a class.`);
return this._errorMessage(`${document.fileName} is not a class.`);
}
if (document.isUntitled) {
return RuleEditorProvider._errorMessage(`${document.fileName} is untitled.`);
return this._errorMessage(`${document.fileName} is untitled.`);
}
if (document.isDirty) {
return RuleEditorProvider._errorMessage(`${document.fileName} is dirty.`);
return this._errorMessage(`${document.fileName} is dirty.`);
}
const file = currentFile(document);
if (file == null) {
return RuleEditorProvider._errorMessage(`${document.fileName} is a malformed class definition.`);
if (!file) {
return this._errorMessage(`${document.fileName} is a malformed class definition.`);
}
if (!vscode.workspace.fs.isWritableFileSystem(document.uri.scheme)) {
return this._errorMessage(`File system '${document.uri.scheme}' is read-only.`);
}

const className = file.name.slice(0, -4);
const api = new AtelierAPI(document.uri);
const documentUriString = document.uri.toString();

// Check that the server has the webapp for the angular rule editor
const cspAppsKey = `${api.serverId}:%SYS`.toLowerCase();
let sysCspApps: string[] | undefined = cspApps.get(cspAppsKey);
if (sysCspApps == undefined) {
sysCspApps = await api.getCSPApps(false, "%SYS").then((data) => data.result.content || []);
cspApps.set(cspAppsKey, sysCspApps);
if (!api.active) {
return this._errorMessage("Server connection is not active.");
}
if (!sysCspApps.includes(RuleEditorProvider._webapp)) {
return RuleEditorProvider._errorMessage(`Server '${api.serverId}' does not support the Angular Rule Editor.`);
if (lt(api.config.serverVersion, "2023.1.0")) {
return this._errorMessage(
"Opening a low-code editor in VS Code requires InterSystems IRIS version 2023.1 or above."
);
}

// Check that the class exists on the server and is a rule class
const queryData = await api.actionQuery("SELECT Super FROM %Dictionary.ClassDefinition WHERE Name = ?", [
className,
]);
if (
queryData.result.content.length &&
!queryData.result.content[0].Super.split(",").includes("Ens.Rule.Definition")
) {
// Class exists but is not a rule class
return RuleEditorProvider._errorMessage(`${className} is not a rule definition class.`);
} else if (queryData.result.content.length == 0) {
// Check that the class exists on the server and is a rule or DTL class
let webApp: string;
const queryData = await api.actionQuery(
"SELECT $LENGTH(rule.Name) AS Rule, $LENGTH(dtl.Name) AS DTL " +
"FROM %Dictionary.ClassDefinition AS dcd " +
"LEFT OUTER JOIN %Dictionary.ClassDefinition_SubclassOf('Ens.Rule.Definition') AS rule ON dcd.Name = rule.Name " +
"LEFT OUTER JOIN %Dictionary.ClassDefinition_SubclassOf('Ens.DataTransformDTL') AS dtl ON dcd.Name = dtl.Name " +
"WHERE dcd.Name = ?",
[className]
);
if (queryData.result.content.length == 0) {
// Class doesn't exist on the server
return RuleEditorProvider._errorMessage(`Class ${className} does not exist on the server.`);
return this._errorMessage(`${file.name} does not exist on the server.`);
} else if (queryData.result.content[0].Rule) {
webApp = this._rule;
} else if (queryData.result.content[0].DTL) {
if (lt(api.config.serverVersion, "2025.1.0")) {
return this._errorMessage(
"Opening the DTL editor in VS Code requires InterSystems IRIS version 2025.1 or above."
);
}
webApp = this._dtl;
} else {
// Class exists but is not a rule or DTL class
return this._errorMessage(`${className} is neither a rule definition class nor a DTL transformation class.`);
}

// Add this document to the array of open custom editors
const documentUriString = document.uri.toString();
openCustomEditors.push(documentUriString);

// Initialize the webview
const targetOrigin = `${api.config.https ? "https" : "http"}://${api.config.host}:${api.config.port}`;
const iframeUri = `${targetOrigin}${api.config.pathPrefix}${
RuleEditorProvider._webapp
}/index.html?$NAMESPACE=${api.config.ns.toUpperCase()}&VSCODE=1&rule=${className}`;
webviewPanel.webview.options = {
enableScripts: true,
localResourceRoots: [],
Expand All @@ -95,7 +106,9 @@ export class RuleEditorProvider implements vscode.CustomTextEditorProvider {
</head>
<body>
<div id="content">
<iframe id="editor" title="Rule Editor" src="${iframeUri}" width="100%" height="100%" frameborder="0"></iframe>
<iframe id="editor" title="Low-Code Editor" src="${targetOrigin}${api.config.pathPrefix}${webApp}/index.html?$NAMESPACE=${api.config.ns.toUpperCase()}&VSCODE=1&${
webApp == this._rule ? "rule" : "DTL"
}=${className}" width="100%" height="100%" frameborder="0"></iframe>
</div>
<script>
(function() {
Expand Down Expand Up @@ -177,13 +190,12 @@ export class RuleEditorProvider implements vscode.CustomTextEditorProvider {
editorCompatible = true;
return;
case "badrule":
RuleEditorProvider._errorMessage(event.reason);
case "baddtl":
this._errorMessage(event.reason);
return;
case "loaded":
if (!editorCompatible) {
RuleEditorProvider._errorMessage(
"This server's Angular Rule Editor does not support embedding in VS Code."
);
this._errorMessage("This low-code editor does not support embedding in VS Code.");
} else {
// Editor is compatible so send the credentials
webviewPanel.webview.postMessage({
Expand Down Expand Up @@ -258,15 +270,25 @@ export class RuleEditorProvider implements vscode.CustomTextEditorProvider {
type: "revert",
});
}
if (actionToProcess.errorText != "") {
if (actionToProcess.errorText !== "") {
outputChannel.appendLine(
`\nError executing AfterUserAction '${event.label}':\n${actionToProcess.errorText}`
);
outputChannel.show(true);
outputChannel.show();
}
}
})
.catch((error) => handleError(error, `Error executing AfterUserAction '${event.label}'.`));
.catch((error) => {
outputChannel.appendLine(`\nError executing AfterUserAction '${event.label}':`);
if (error && error.errorText && error.errorText !== "") {
outputChannel.appendLine(error.errorText);
} else {
outputChannel.appendLine(
typeof error == "string" ? error : error instanceof Error ? error.message : JSON.stringify(error)
);
}
outputChannel.show();
});
}
});
return;
Expand Down
32 changes: 16 additions & 16 deletions src/providers/ObjectScriptCodeLensProvider.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,5 @@
import * as vscode from "vscode";
import { gte } from "semver";
import { clsLangId, config, intLangId, macLangId } from "../extension";
import { currentFile } from "../utils";
import { AtelierAPI } from "../api";
Expand Down Expand Up @@ -61,30 +62,29 @@ export class ObjectScriptCodeLensProvider implements vscode.CodeLensProvider {
let [, xdataName] = xdataMatch;
xdataName = xdataName.trim();
let cmd: vscode.Command = undefined;
if (
(xdataName == "BPL" && superclasses.includes("Ens.BusinessProcessBPL")) ||
(xdataName == "DTL" && superclasses.includes("Ens.DataTransformDTL"))
) {
if (xdataName == "BPL" && superclasses.includes("Ens.BusinessProcessBPL")) {
cmd = {
title: "Open Graphical Editor",
title: "Open Low-Code Editor in Browser",
command: "vscode-objectscript.openPathInBrowser",
tooltip: "Open graphical editor in an external browser",
arguments: [
`/EnsPortal.${
xdataName == "BPL" ? `BPLEditor.zen?BP=${className}.BPL` : `DTLEditor.zen?DT=${className}.DTL`
}`,
document.uri,
],
tooltip: "Open low-code editor in an external browser",
arguments: [`/EnsPortal.BPLEditor.zen?BP=${className}.BPL`, document.uri],
};
} else if (xdataName == "RuleDefinition" && superclasses.includes("Ens.Rule.Definition")) {
} else if (
(xdataName == "RuleDefinition" &&
superclasses.includes("Ens.Rule.Definition") &&
gte(api.config.serverVersion, "2023.1.0")) ||
(xdataName == "DTL" &&
superclasses.includes("Ens.DataTransformDTL") &&
gte(api.config.serverVersion, "2025.1.0"))
) {
cmd = {
title: "Reopen in Graphical Editor",
title: "Reopen in Low-Code Editor",
command: "workbench.action.toggleEditorType",
tooltip: "Replace text editor with graphical editor",
tooltip: "Replace text editor with low-code editor",
};
} else if (xdataName == "KPI" && superclasses.includes("%DeepSee.KPI")) {
cmd = {
title: "Test KPI",
title: "Test KPI in Browser",
command: "vscode-objectscript.openPathInBrowser",
tooltip: "Open testing page in an external browser",
arguments: [`/${className}.cls`, document.uri],
Expand Down