feat: add orchestrator execution engine, observability panel, and LSP document caching

Wire FlowExecutor into orchestrator routes for actual flow execution with
pause/resume/stop lifecycle management. Add CLI session audit system with
audit-routes backend and Observability tab in IssueHub frontend. Introduce
cli-session-mux for cross-workspace session routing and QueueSendToOrchestrator
UI component. Normalize frontend API response handling for { data: ... }
wrapper format and propagate projectPath through flow hooks.

In codex-lens, add per-server opened-document cache in StandaloneLspManager
to avoid redundant didOpen notifications (using didChange for updates), and
skip warmup delay for already-warmed LSP server instances in ChainSearchEngine.
This commit is contained in:
catlog22
2026-02-11 15:38:33 +08:00
parent d0cdee2e68
commit 5a9e54fd70
35 changed files with 5325 additions and 77 deletions

View File

@@ -43,15 +43,66 @@ interface ExportTemplateResponse {
// ========== Fetch Functions ==========
function toFlowTemplate(raw: any): FlowTemplate {
const meta = raw?.template_metadata ?? {};
const nodes = Array.isArray(raw?.nodes) ? raw.nodes : [];
const edges = Array.isArray(raw?.edges) ? raw.edges : [];
return {
id: String(raw?.id ?? ''),
name: String(raw?.name ?? ''),
description: (typeof meta.description === 'string' ? meta.description : raw?.description) || undefined,
category: typeof meta.category === 'string' ? meta.category : undefined,
tags: Array.isArray(meta.tags) ? meta.tags : undefined,
author: typeof meta.author === 'string' ? meta.author : undefined,
version: String(meta.version ?? raw?.version ?? '1.0.0'),
created_at: String(raw?.created_at ?? new Date().toISOString()),
updated_at: String(raw?.updated_at ?? new Date().toISOString()),
nodeCount: nodes.length,
edgeCount: edges.length,
};
}
function toFlowFromTemplate(raw: any): Flow {
const meta = raw?.template_metadata ?? {};
const now = new Date().toISOString();
return {
id: `flow-${Date.now()}-${Math.random().toString(36).slice(2, 10)}`,
name: String(raw?.name ?? 'Template Flow'),
description: (typeof meta.description === 'string' ? meta.description : raw?.description) || undefined,
version: String(meta.version ?? raw?.version ?? '1.0.0'),
created_at: String(raw?.created_at ?? now),
updated_at: String(raw?.updated_at ?? now),
nodes: Array.isArray(raw?.nodes) ? raw.nodes : [],
edges: Array.isArray(raw?.edges) ? raw.edges : [],
variables: typeof raw?.variables === 'object' && raw.variables ? raw.variables : {},
metadata: {
source: 'template',
templateId: typeof raw?.id === 'string' ? raw.id : undefined,
tags: Array.isArray(meta.tags) ? meta.tags : undefined,
category: typeof meta.category === 'string' ? meta.category : undefined,
},
};
}
async function fetchTemplates(category?: string): Promise<TemplatesListResponse> {
const url = category
? `${API_BASE}/templates?category=${encodeURIComponent(category)}`
: `${API_BASE}/templates`;
const response = await fetch(url);
const response = await fetch(url, { credentials: 'same-origin' });
if (!response.ok) {
throw new Error(`Failed to fetch templates: ${response.statusText}`);
}
return response.json();
const json = await response.json();
const rawTemplates: any[] = Array.isArray(json?.data) ? json.data : (json?.templates || []);
const templates: FlowTemplate[] = rawTemplates.map(toFlowTemplate);
const total = typeof json?.total === 'number' ? json.total : templates.length;
const categories = Array.from(new Set(
templates
.map((t) => t.category)
.filter((c): c is string => typeof c === 'string' && c.trim().length > 0)
));
return { templates, total, categories };
}
async function fetchTemplate(id: string): Promise<TemplateDetailResponse> {
@@ -67,11 +118,14 @@ async function installTemplate(request: TemplateInstallRequest): Promise<Install
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(request),
credentials: 'same-origin',
});
if (!response.ok) {
throw new Error(`Failed to install template: ${response.statusText}`);
}
return response.json();
const json = await response.json();
const template = (json && typeof json === 'object' && 'data' in json) ? json.data : json;
return { flow: toFlowFromTemplate(template), message: json?.message || 'Template installed' };
}
async function exportTemplate(request: TemplateExportRequest): Promise<ExportTemplateResponse> {
@@ -79,16 +133,20 @@ async function exportTemplate(request: TemplateExportRequest): Promise<ExportTem
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(request),
credentials: 'same-origin',
});
if (!response.ok) {
throw new Error(`Failed to export template: ${response.statusText}`);
}
return response.json();
const json = await response.json();
const template = (json && typeof json === 'object' && 'data' in json) ? json.data : json;
return { template: toFlowTemplate(template), message: json?.message || 'Template exported' };
}
async function deleteTemplate(id: string): Promise<void> {
const response = await fetch(`${API_BASE}/templates/${id}`, {
method: 'DELETE',
credentials: 'same-origin',
});
if (!response.ok) {
throw new Error(`Failed to delete template: ${response.statusText}`);