mirror of
https://github.com/getcompanion-ai/co-mono.git
synced 2026-04-21 10:00:39 +00:00
Add JavaScript REPL tool to web-ui package
- Created javascript-repl.ts tool with SandboxedIframe for code execution - Integrated into ChatPanel replacing calculate and getCurrentTime tools - REPL provides full browser API access with external library support - Auto-registers renderer for tool output display - Uses srcdoc instead of sandbox.html (no CSP restrictions in web apps)
This commit is contained in:
parent
0af33ce79a
commit
8212623af0
3 changed files with 552 additions and 0 deletions
206
packages/web-ui/src/ChatPanel.ts
Normal file
206
packages/web-ui/src/ChatPanel.ts
Normal file
|
|
@ -0,0 +1,206 @@
|
||||||
|
import { Badge, html } from "@mariozechner/mini-lit";
|
||||||
|
import { type AgentTool, getModel } from "@mariozechner/pi-ai";
|
||||||
|
import { LitElement } from "lit";
|
||||||
|
import { customElement, property, state } from "lit/decorators.js";
|
||||||
|
import "./components/AgentInterface.js";
|
||||||
|
import { AgentSession, type AgentSessionState, type ThinkingLevel } from "./state/agent-session.js";
|
||||||
|
import { ArtifactsPanel } from "./tools/artifacts/index.js";
|
||||||
|
import { createJavaScriptReplTool } from "./tools/javascript-repl.js";
|
||||||
|
import { registerToolRenderer } from "./tools/renderer-registry.js";
|
||||||
|
import { getAuthToken } from "./utils/auth-token.js";
|
||||||
|
import { i18n } from "./utils/i18n.js";
|
||||||
|
import { simpleHtml } from "./utils/test-sessions.js";
|
||||||
|
|
||||||
|
const BREAKPOINT = 800; // px - switch between overlay and side-by-side
|
||||||
|
|
||||||
|
@customElement("pi-chat-panel")
|
||||||
|
export class ChatPanel extends LitElement {
|
||||||
|
@state() private session!: AgentSession;
|
||||||
|
@state() private artifactsPanel!: ArtifactsPanel;
|
||||||
|
@state() private hasArtifacts = false;
|
||||||
|
@state() private artifactCount = 0;
|
||||||
|
@state() private showArtifactsPanel = false;
|
||||||
|
@state() private windowWidth = window.innerWidth;
|
||||||
|
@property({ type: String }) systemPrompt = "You are a helpful AI assistant.";
|
||||||
|
@property({ type: Array }) additionalTools: AgentTool<any, any>[] = [];
|
||||||
|
|
||||||
|
private resizeHandler = () => {
|
||||||
|
this.windowWidth = window.innerWidth;
|
||||||
|
this.requestUpdate();
|
||||||
|
};
|
||||||
|
|
||||||
|
createRenderRoot() {
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
override async connectedCallback() {
|
||||||
|
super.connectedCallback();
|
||||||
|
|
||||||
|
// Listen to window resize
|
||||||
|
window.addEventListener("resize", this.resizeHandler);
|
||||||
|
|
||||||
|
// Ensure panel fills height and allows flex layout
|
||||||
|
this.style.display = "flex";
|
||||||
|
this.style.flexDirection = "column";
|
||||||
|
this.style.height = "100%";
|
||||||
|
this.style.minHeight = "0";
|
||||||
|
|
||||||
|
// Set up artifacts panel
|
||||||
|
this.artifactsPanel = new ArtifactsPanel();
|
||||||
|
registerToolRenderer("artifacts", this.artifactsPanel);
|
||||||
|
|
||||||
|
// Attachments provider for both REPL and artifacts
|
||||||
|
const getAttachments = () => {
|
||||||
|
// Get all attachments from conversation messages
|
||||||
|
const attachments: any[] = [];
|
||||||
|
for (const message of this.session.state.messages) {
|
||||||
|
if (message.role === "user") {
|
||||||
|
const content = Array.isArray(message.content) ? message.content : [message.content];
|
||||||
|
for (const block of content) {
|
||||||
|
if (typeof block !== "string" && block.type === "image") {
|
||||||
|
attachments.push({
|
||||||
|
id: `image-${attachments.length}`,
|
||||||
|
fileName: "image.png",
|
||||||
|
mimeType: block.mimeType || "image/png",
|
||||||
|
size: 0,
|
||||||
|
content: block.data,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return attachments;
|
||||||
|
};
|
||||||
|
|
||||||
|
this.artifactsPanel.attachmentsProvider = getAttachments;
|
||||||
|
|
||||||
|
// Set up JavaScript REPL tool with attachments provider
|
||||||
|
const javascriptReplTool = createJavaScriptReplTool();
|
||||||
|
javascriptReplTool.attachmentsProvider = getAttachments;
|
||||||
|
|
||||||
|
this.artifactsPanel.onArtifactsChange = () => {
|
||||||
|
const count = this.artifactsPanel.artifacts?.size ?? 0;
|
||||||
|
const created = count > this.artifactCount;
|
||||||
|
this.hasArtifacts = count > 0;
|
||||||
|
this.artifactCount = count;
|
||||||
|
|
||||||
|
// Auto-open when new artifacts are created
|
||||||
|
if (this.hasArtifacts && created) {
|
||||||
|
this.showArtifactsPanel = true;
|
||||||
|
}
|
||||||
|
this.requestUpdate();
|
||||||
|
};
|
||||||
|
|
||||||
|
this.artifactsPanel.onClose = () => {
|
||||||
|
this.showArtifactsPanel = false;
|
||||||
|
this.requestUpdate();
|
||||||
|
};
|
||||||
|
|
||||||
|
this.artifactsPanel.onOpen = () => {
|
||||||
|
this.showArtifactsPanel = true;
|
||||||
|
this.requestUpdate();
|
||||||
|
};
|
||||||
|
|
||||||
|
let initialState = {
|
||||||
|
systemPrompt: this.systemPrompt,
|
||||||
|
model: getModel("anthropic", "claude-sonnet-4-5-20250929"),
|
||||||
|
tools: [...this.additionalTools, javascriptReplTool, this.artifactsPanel.tool],
|
||||||
|
thinkingLevel: "off" as ThinkingLevel,
|
||||||
|
messages: [],
|
||||||
|
} satisfies Partial<AgentSessionState>;
|
||||||
|
initialState = { ...initialState, ...(simpleHtml as any) };
|
||||||
|
// initialState = { ...initialState, ...(longSession as any) };
|
||||||
|
|
||||||
|
// Create agent session first so attachments provider works
|
||||||
|
this.session = new AgentSession({
|
||||||
|
initialState,
|
||||||
|
authTokenProvider: async () => getAuthToken(),
|
||||||
|
transportMode: "direct", // Use direct mode by default (API keys from KeyStore)
|
||||||
|
});
|
||||||
|
|
||||||
|
// Reconstruct artifacts panel from initial messages (session must exist first)
|
||||||
|
await this.artifactsPanel.reconstructFromMessages(initialState.messages);
|
||||||
|
this.hasArtifacts = this.artifactsPanel.artifacts.size > 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
override disconnectedCallback() {
|
||||||
|
super.disconnectedCallback();
|
||||||
|
window.removeEventListener("resize", this.resizeHandler);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Expose method to toggle artifacts panel
|
||||||
|
public toggleArtifactsPanel() {
|
||||||
|
this.showArtifactsPanel = !this.showArtifactsPanel;
|
||||||
|
this.requestUpdate();
|
||||||
|
}
|
||||||
|
|
||||||
|
// Check if artifacts panel is currently visible
|
||||||
|
public get artifactsPanelVisible(): boolean {
|
||||||
|
return this.showArtifactsPanel;
|
||||||
|
}
|
||||||
|
|
||||||
|
render() {
|
||||||
|
if (!this.session) {
|
||||||
|
return html`<div class="flex items-center justify-center h-full">
|
||||||
|
<div class="text-muted-foreground">Loading...</div>
|
||||||
|
</div>`;
|
||||||
|
}
|
||||||
|
|
||||||
|
const isMobile = this.windowWidth < BREAKPOINT;
|
||||||
|
|
||||||
|
// Set panel props
|
||||||
|
if (this.artifactsPanel) {
|
||||||
|
this.artifactsPanel.collapsed = !this.showArtifactsPanel;
|
||||||
|
this.artifactsPanel.overlay = isMobile;
|
||||||
|
}
|
||||||
|
|
||||||
|
return html`
|
||||||
|
<div class="relative w-full h-full overflow-hidden flex">
|
||||||
|
<div class="h-full" style="${!isMobile && this.showArtifactsPanel && this.hasArtifacts ? "width: 50%;" : "width: 100%;"}">
|
||||||
|
<agent-interface
|
||||||
|
.session=${this.session}
|
||||||
|
.enableAttachments=${true}
|
||||||
|
.enableModelSelector=${true}
|
||||||
|
.enableThinking=${true}
|
||||||
|
.showThemeToggle=${false}
|
||||||
|
.showDebugToggle=${false}
|
||||||
|
></agent-interface>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Floating pill when artifacts exist and panel is collapsed -->
|
||||||
|
${
|
||||||
|
this.hasArtifacts && !this.showArtifactsPanel
|
||||||
|
? html`
|
||||||
|
<button
|
||||||
|
class="absolute z-30 top-4 left-1/2 -translate-x-1/2 pointer-events-auto"
|
||||||
|
@click=${() => {
|
||||||
|
this.showArtifactsPanel = true;
|
||||||
|
this.requestUpdate();
|
||||||
|
}}
|
||||||
|
title=${i18n("Show artifacts")}
|
||||||
|
>
|
||||||
|
${Badge(html`
|
||||||
|
<span class="inline-flex items-center gap-1">
|
||||||
|
<span>${i18n("Artifacts")}</span>
|
||||||
|
${
|
||||||
|
this.artifactCount > 1
|
||||||
|
? html`<span
|
||||||
|
class="text-[10px] leading-none bg-primary-foreground/20 text-primary-foreground rounded px-1 font-mono tabular-nums"
|
||||||
|
>${this.artifactCount}</span
|
||||||
|
>`
|
||||||
|
: ""
|
||||||
|
}
|
||||||
|
</span>
|
||||||
|
`)}
|
||||||
|
</button>
|
||||||
|
`
|
||||||
|
: ""
|
||||||
|
}
|
||||||
|
|
||||||
|
<div class="h-full ${isMobile ? "absolute inset-0 pointer-events-none" : ""}" style="${!isMobile ? (!this.hasArtifacts || !this.showArtifactsPanel ? "display: none;" : "width: 50%;") : ""}">
|
||||||
|
${this.artifactsPanel}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
`;
|
||||||
|
}
|
||||||
|
}
|
||||||
39
packages/web-ui/src/tools/index.ts
Normal file
39
packages/web-ui/src/tools/index.ts
Normal file
|
|
@ -0,0 +1,39 @@
|
||||||
|
import type { TemplateResult } from "@mariozechner/mini-lit";
|
||||||
|
import type { ToolResultMessage } from "@mariozechner/pi-ai";
|
||||||
|
import { getToolRenderer, registerToolRenderer } from "./renderer-registry.js";
|
||||||
|
import { BashRenderer } from "./renderers/BashRenderer.js";
|
||||||
|
import { CalculateRenderer } from "./renderers/CalculateRenderer.js";
|
||||||
|
import { DefaultRenderer } from "./renderers/DefaultRenderer.js";
|
||||||
|
import { GetCurrentTimeRenderer } from "./renderers/GetCurrentTimeRenderer.js";
|
||||||
|
import "./javascript-repl.js"; // Auto-registers the renderer
|
||||||
|
|
||||||
|
// Register all built-in tool renderers
|
||||||
|
registerToolRenderer("calculate", new CalculateRenderer());
|
||||||
|
registerToolRenderer("get_current_time", new GetCurrentTimeRenderer());
|
||||||
|
registerToolRenderer("bash", new BashRenderer());
|
||||||
|
|
||||||
|
const defaultRenderer = new DefaultRenderer();
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Render tool call parameters
|
||||||
|
*/
|
||||||
|
export function renderToolParams(toolName: string, params: any, isStreaming?: boolean): TemplateResult {
|
||||||
|
const renderer = getToolRenderer(toolName);
|
||||||
|
if (renderer) {
|
||||||
|
return renderer.renderParams(params, isStreaming);
|
||||||
|
}
|
||||||
|
return defaultRenderer.renderParams(params, isStreaming);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Render tool result
|
||||||
|
*/
|
||||||
|
export function renderToolResult(toolName: string, params: any, result: ToolResultMessage): TemplateResult {
|
||||||
|
const renderer = getToolRenderer(toolName);
|
||||||
|
if (renderer) {
|
||||||
|
return renderer.renderResult(params, result);
|
||||||
|
}
|
||||||
|
return defaultRenderer.renderResult(params, result);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { registerToolRenderer, getToolRenderer };
|
||||||
307
packages/web-ui/src/tools/javascript-repl.ts
Normal file
307
packages/web-ui/src/tools/javascript-repl.ts
Normal file
|
|
@ -0,0 +1,307 @@
|
||||||
|
import { html, type TemplateResult } from "@mariozechner/mini-lit";
|
||||||
|
import type { AgentTool, ToolResultMessage } from "@mariozechner/pi-ai";
|
||||||
|
import { type Static, Type } from "@sinclair/typebox";
|
||||||
|
import { type SandboxFile, SandboxIframe, type SandboxResult } from "../components/SandboxedIframe.js";
|
||||||
|
import type { Attachment } from "../utils/attachment-utils.js";
|
||||||
|
|
||||||
|
import { registerToolRenderer } from "./renderer-registry.js";
|
||||||
|
import type { ToolRenderer } from "./types.js";
|
||||||
|
|
||||||
|
// Execute JavaScript code with attachments using SandboxedIframe
|
||||||
|
export async function executeJavaScript(
|
||||||
|
code: string,
|
||||||
|
attachments: Attachment[] = [],
|
||||||
|
signal?: AbortSignal,
|
||||||
|
): Promise<{ output: string; files?: SandboxFile[] }> {
|
||||||
|
if (!code) {
|
||||||
|
throw new Error("Code parameter is required");
|
||||||
|
}
|
||||||
|
|
||||||
|
// Check for abort before starting
|
||||||
|
if (signal?.aborted) {
|
||||||
|
throw new Error("Execution aborted");
|
||||||
|
}
|
||||||
|
|
||||||
|
// Create a SandboxedIframe instance for execution
|
||||||
|
const sandbox = new SandboxIframe();
|
||||||
|
sandbox.style.display = "none";
|
||||||
|
document.body.appendChild(sandbox);
|
||||||
|
|
||||||
|
try {
|
||||||
|
const sandboxId = `repl-${Date.now()}`;
|
||||||
|
const result: SandboxResult = await sandbox.execute(sandboxId, code, attachments, signal);
|
||||||
|
|
||||||
|
// Remove the sandbox iframe after execution
|
||||||
|
sandbox.remove();
|
||||||
|
|
||||||
|
// Return plain text output
|
||||||
|
if (!result.success) {
|
||||||
|
// Return error as plain text
|
||||||
|
return {
|
||||||
|
output: `Error: ${result.error?.message || "Unknown error"}\n${result.error?.stack || ""}`,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// Build plain text response
|
||||||
|
let output = "";
|
||||||
|
|
||||||
|
// Add console output - result.console contains { type: string, text: string } from sandbox.js
|
||||||
|
if (result.console && result.console.length > 0) {
|
||||||
|
for (const entry of result.console) {
|
||||||
|
const prefix = entry.type === "error" ? "[ERROR]" : "";
|
||||||
|
output += (prefix ? `${prefix} ` : "") + entry.text + "\n";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add file notifications
|
||||||
|
if (result.files && result.files.length > 0) {
|
||||||
|
output += `\n[Files returned: ${result.files.length}]\n`;
|
||||||
|
for (const file of result.files) {
|
||||||
|
output += ` - ${file.fileName} (${file.mimeType})\n`;
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
// Explicitly note when no files were returned (helpful for debugging)
|
||||||
|
if (code.includes("returnFile")) {
|
||||||
|
output += "\n[No files returned - check async operations]";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
output: output.trim() || "Code executed successfully (no output)",
|
||||||
|
files: result.files,
|
||||||
|
};
|
||||||
|
} catch (error: unknown) {
|
||||||
|
// Clean up on error
|
||||||
|
sandbox.remove();
|
||||||
|
throw new Error((error as Error).message || "Execution failed");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export type JavaScriptReplToolResult = {
|
||||||
|
files?:
|
||||||
|
| {
|
||||||
|
fileName: string;
|
||||||
|
contentBase64: string;
|
||||||
|
mimeType: string;
|
||||||
|
}[]
|
||||||
|
| undefined;
|
||||||
|
};
|
||||||
|
|
||||||
|
const javascriptReplSchema = Type.Object({
|
||||||
|
code: Type.String({ description: "JavaScript code to execute" }),
|
||||||
|
});
|
||||||
|
|
||||||
|
export function createJavaScriptReplTool(): AgentTool<typeof javascriptReplSchema, JavaScriptReplToolResult> & {
|
||||||
|
attachmentsProvider?: () => Attachment[];
|
||||||
|
} {
|
||||||
|
return {
|
||||||
|
label: "JavaScript REPL",
|
||||||
|
name: "javascript_repl",
|
||||||
|
attachmentsProvider: () => [], // default to empty array
|
||||||
|
description: `Execute JavaScript code in a sandboxed browser environment with full modern browser capabilities.
|
||||||
|
|
||||||
|
Environment: Modern browser with ALL Web APIs available:
|
||||||
|
- ES2023+ JavaScript (async/await, optional chaining, nullish coalescing, etc.)
|
||||||
|
- DOM APIs (document, window, Canvas, WebGL, etc.)
|
||||||
|
- Fetch API for HTTP requests
|
||||||
|
|
||||||
|
Loading external libraries via dynamic imports (use esm.run):
|
||||||
|
- XLSX (Excel files): const XLSX = await import('https://esm.run/xlsx');
|
||||||
|
- Papa Parse (CSV): const Papa = (await import('https://esm.run/papaparse')).default;
|
||||||
|
- Lodash: const _ = await import('https://esm.run/lodash-es');
|
||||||
|
- D3.js: const d3 = await import('https://esm.run/d3');
|
||||||
|
- Chart.js: const Chart = (await import('https://esm.run/chart.js/auto')).default;
|
||||||
|
- Three.js: const THREE = await import('https://esm.run/three');
|
||||||
|
- Any npm package: await import('https://esm.run/package-name')
|
||||||
|
|
||||||
|
IMPORTANT for graphics/canvas:
|
||||||
|
- Use fixed dimensions like 400x400 or 800x600, NOT window.innerWidth/Height
|
||||||
|
- For Three.js: renderer.setSize(400, 400) and camera aspect ratio of 1
|
||||||
|
- For Chart.js: Set options: { responsive: false, animation: false } to ensure immediate rendering
|
||||||
|
- Web Storage (localStorage, sessionStorage, IndexedDB)
|
||||||
|
- Web Workers, WebAssembly, WebSockets
|
||||||
|
- Media APIs (Audio, Video, WebRTC)
|
||||||
|
- File APIs (Blob, FileReader, etc.)
|
||||||
|
- Crypto API for cryptography
|
||||||
|
- And much more - anything a modern browser supports!
|
||||||
|
|
||||||
|
Output:
|
||||||
|
- console.log() - All output is captured as text
|
||||||
|
- await returnFile(filename, content, mimeType?) - Create downloadable files (async function!)
|
||||||
|
* Always use await with returnFile
|
||||||
|
* REQUIRED: For Blob/Uint8Array binary content, you MUST supply a proper MIME type (e.g., "image/png").
|
||||||
|
If omitted, the REPL throws an Error with stack trace pointing to the offending line.
|
||||||
|
* Strings without a MIME default to text/plain.
|
||||||
|
* Objects are auto-JSON stringified and default to application/json unless a MIME is provided.
|
||||||
|
* Canvas images: Use toBlob() with await Promise wrapper
|
||||||
|
* Examples:
|
||||||
|
- await returnFile('data.txt', 'Hello World', 'text/plain')
|
||||||
|
- await returnFile('data.json', {key: 'value'}, 'application/json')
|
||||||
|
- await returnFile('data.csv', 'name,age\\nJohn,30', 'text/csv')
|
||||||
|
- Chart.js example:
|
||||||
|
const Chart = (await import('https://esm.run/chart.js/auto')).default;
|
||||||
|
const canvas = document.createElement('canvas');
|
||||||
|
canvas.width = 400; canvas.height = 300;
|
||||||
|
document.body.appendChild(canvas);
|
||||||
|
new Chart(canvas, {
|
||||||
|
type: 'line',
|
||||||
|
data: {
|
||||||
|
labels: ['Jan', 'Feb', 'Mar', 'Apr'],
|
||||||
|
datasets: [{ label: 'Sales', data: [10, 20, 15, 25], borderColor: 'blue' }]
|
||||||
|
},
|
||||||
|
options: { responsive: false, animation: false }
|
||||||
|
});
|
||||||
|
const blob = await new Promise(resolve => canvas.toBlob(resolve, 'image/png'));
|
||||||
|
await returnFile('chart.png', blob, 'image/png');
|
||||||
|
|
||||||
|
Global variables:
|
||||||
|
- attachments[] - Array of attachment objects from user messages
|
||||||
|
* Properties:
|
||||||
|
- id: string (unique identifier)
|
||||||
|
- fileName: string (e.g., "data.xlsx")
|
||||||
|
- mimeType: string (e.g., "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet")
|
||||||
|
- size: number (bytes)
|
||||||
|
* Helper functions:
|
||||||
|
- listFiles() - Returns array of {id, fileName, mimeType, size} for all attachments
|
||||||
|
- readTextFile(attachmentId) - Returns text content of attachment (for CSV, JSON, text files)
|
||||||
|
- readBinaryFile(attachmentId) - Returns Uint8Array of binary data (for images, Excel, etc.)
|
||||||
|
* Examples:
|
||||||
|
- const files = listFiles();
|
||||||
|
- const csvContent = readTextFile(files[0].id); // Read CSV as text
|
||||||
|
- const xlsxBytes = readBinaryFile(files[0].id); // Read Excel as binary
|
||||||
|
- All standard browser globals (window, document, fetch, etc.)`,
|
||||||
|
parameters: javascriptReplSchema,
|
||||||
|
execute: async function (_toolCallId: string, args: Static<typeof javascriptReplSchema>, signal?: AbortSignal) {
|
||||||
|
const attachments = this.attachmentsProvider?.() || [];
|
||||||
|
const result = await executeJavaScript(args.code, attachments, signal);
|
||||||
|
// Convert files to JSON-serializable with base64 payloads
|
||||||
|
const files = (result.files || []).map((f) => {
|
||||||
|
const toBase64 = (input: string | Uint8Array): { base64: string; size: number } => {
|
||||||
|
if (input instanceof Uint8Array) {
|
||||||
|
let binary = "";
|
||||||
|
const chunk = 0x8000;
|
||||||
|
for (let i = 0; i < input.length; i += chunk) {
|
||||||
|
binary += String.fromCharCode(...input.subarray(i, i + chunk));
|
||||||
|
}
|
||||||
|
return { base64: btoa(binary), size: input.length };
|
||||||
|
} else if (typeof input === "string") {
|
||||||
|
const enc = new TextEncoder();
|
||||||
|
const bytes = enc.encode(input);
|
||||||
|
let binary = "";
|
||||||
|
const chunk = 0x8000;
|
||||||
|
for (let i = 0; i < bytes.length; i += chunk) {
|
||||||
|
binary += String.fromCharCode(...bytes.subarray(i, i + chunk));
|
||||||
|
}
|
||||||
|
return { base64: btoa(binary), size: bytes.length };
|
||||||
|
} else {
|
||||||
|
const s = String(input);
|
||||||
|
const enc = new TextEncoder();
|
||||||
|
const bytes = enc.encode(s);
|
||||||
|
let binary = "";
|
||||||
|
const chunk = 0x8000;
|
||||||
|
for (let i = 0; i < bytes.length; i += chunk) {
|
||||||
|
binary += String.fromCharCode(...bytes.subarray(i, i + chunk));
|
||||||
|
}
|
||||||
|
return { base64: btoa(binary), size: bytes.length };
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const { base64, size } = toBase64(f.content);
|
||||||
|
return {
|
||||||
|
fileName: f.fileName || "file",
|
||||||
|
mimeType: f.mimeType || "application/octet-stream",
|
||||||
|
size,
|
||||||
|
contentBase64: base64,
|
||||||
|
};
|
||||||
|
});
|
||||||
|
return { output: result.output, details: { files } };
|
||||||
|
},
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// Export a default instance for backward compatibility
|
||||||
|
export const javascriptReplTool = createJavaScriptReplTool();
|
||||||
|
|
||||||
|
// JavaScript REPL renderer with streaming support
|
||||||
|
|
||||||
|
interface JavaScriptReplParams {
|
||||||
|
code: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface JavaScriptReplResult {
|
||||||
|
output?: string;
|
||||||
|
files?: Array<{
|
||||||
|
fileName: string;
|
||||||
|
mimeType: string;
|
||||||
|
size: number;
|
||||||
|
contentBase64: string;
|
||||||
|
}>;
|
||||||
|
}
|
||||||
|
|
||||||
|
export const javascriptReplRenderer: ToolRenderer<JavaScriptReplParams, JavaScriptReplResult> = {
|
||||||
|
renderParams(params: JavaScriptReplParams, isStreaming?: boolean): TemplateResult {
|
||||||
|
if (isStreaming && (!params.code || params.code.length === 0)) {
|
||||||
|
return html`<div class="text-sm text-muted-foreground">Writing JavaScript code...</div>`;
|
||||||
|
}
|
||||||
|
|
||||||
|
return html`
|
||||||
|
<div class="text-sm text-muted-foreground mb-2">Executing JavaScript</div>
|
||||||
|
<code-block .code=${params.code || ""} language="javascript"></code-block>
|
||||||
|
`;
|
||||||
|
},
|
||||||
|
|
||||||
|
renderResult(_params: JavaScriptReplParams, result: ToolResultMessage<JavaScriptReplResult>): TemplateResult {
|
||||||
|
// Console output is in the main output field, files are in details
|
||||||
|
const output = result.output || "";
|
||||||
|
const files = result.details?.files || [];
|
||||||
|
|
||||||
|
const attachments: Attachment[] = files.map((f, i) => {
|
||||||
|
// Decode base64 content for text files to show in overlay
|
||||||
|
let extractedText: string | undefined;
|
||||||
|
const isTextBased =
|
||||||
|
f.mimeType?.startsWith("text/") ||
|
||||||
|
f.mimeType === "application/json" ||
|
||||||
|
f.mimeType === "application/javascript" ||
|
||||||
|
f.mimeType?.includes("xml");
|
||||||
|
|
||||||
|
if (isTextBased && f.contentBase64) {
|
||||||
|
try {
|
||||||
|
extractedText = atob(f.contentBase64);
|
||||||
|
} catch (e) {
|
||||||
|
console.warn("Failed to decode base64 content for", f.fileName);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
id: `repl-${Date.now()}-${i}`,
|
||||||
|
type: f.mimeType?.startsWith("image/") ? "image" : "document",
|
||||||
|
fileName: f.fileName || `file-${i}`,
|
||||||
|
mimeType: f.mimeType || "application/octet-stream",
|
||||||
|
size: f.size ?? 0,
|
||||||
|
content: f.contentBase64,
|
||||||
|
preview: f.mimeType?.startsWith("image/") ? f.contentBase64 : undefined,
|
||||||
|
extractedText,
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
return html`
|
||||||
|
<div class="flex flex-col gap-3">
|
||||||
|
${
|
||||||
|
output
|
||||||
|
? html`<div class="font-mono text-xs whitespace-pre-wrap bg-muted/50 p-3 rounded-md border">${output}</div>`
|
||||||
|
: ""
|
||||||
|
}
|
||||||
|
${
|
||||||
|
attachments.length
|
||||||
|
? html`<div class="flex flex-wrap gap-2">
|
||||||
|
${attachments.map((att) => html`<attachment-tile .attachment=${att}></attachment-tile>`)}
|
||||||
|
</div>`
|
||||||
|
: ""
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
`;
|
||||||
|
},
|
||||||
|
};
|
||||||
|
|
||||||
|
// Auto-register the renderer
|
||||||
|
registerToolRenderer(javascriptReplTool.name, javascriptReplRenderer);
|
||||||
Loading…
Add table
Add a link
Reference in a new issue