feat: Add Claude Code terminal integration to dashboard

- Add embedded Claude Code terminal with xterm.js for full CLI experience
- Create WebSocket PTY backend for real-time terminal communication
- Add terminal status endpoint to check CLI availability
- Update dashboard to use Claude Code terminal instead of API chat
- Add optimization control panel with start/stop/validate actions
- Add study context provider for global state management
- Update frontend with new dependencies (xterm.js addons)
- Comprehensive README documentation for all new features

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Antoine
2025-12-04 15:02:13 -05:00
parent 8cbdbcad78
commit 9eed4d81eb
23 changed files with 5060 additions and 339 deletions

View File

@@ -1,14 +1,17 @@
import { useState, useEffect, lazy, Suspense } from 'react';
import { useNavigate } from 'react-router-dom';
import {
LineChart, Line, ScatterChart, Scatter,
XAxis, YAxis, CartesianGrid, Tooltip, Legend, ResponsiveContainer, Cell
} from 'recharts';
import { Terminal } from 'lucide-react';
import { useOptimizationWebSocket } from '../hooks/useWebSocket';
import { apiClient } from '../api/client';
import { useStudy } from '../context/StudyContext';
import { Card } from '../components/common/Card';
import { MetricCard } from '../components/dashboard/MetricCard';
import { StudyCard } from '../components/dashboard/StudyCard';
// import { OptimizerPanel } from '../components/OptimizerPanel'; // Not used currently
import { ControlPanel } from '../components/dashboard/ControlPanel';
import { ClaudeTerminal } from '../components/ClaudeTerminal';
import { ParetoPlot } from '../components/ParetoPlot';
import { ParallelCoordinatesPlot } from '../components/ParallelCoordinatesPlot';
import { ParameterImportanceChart } from '../components/ParameterImportanceChart';
@@ -16,7 +19,7 @@ import { ConvergencePlot } from '../components/ConvergencePlot';
import { StudyReportViewer } from '../components/StudyReportViewer';
import { ConsoleOutput } from '../components/ConsoleOutput';
import { ExpandableChart } from '../components/ExpandableChart';
import type { Study, Trial, ConvergenceDataPoint, ParameterSpaceDataPoint } from '../types';
import type { Trial, ConvergenceDataPoint, ParameterSpaceDataPoint } from '../types';
// Lazy load Plotly components for better initial load performance
const PlotlyParallelCoordinates = lazy(() => import('../components/plotly/PlotlyParallelCoordinates').then(m => ({ default: m.PlotlyParallelCoordinates })));
@@ -32,8 +35,17 @@ const ChartLoading = () => (
);
export default function Dashboard() {
const [studies, setStudies] = useState<Study[]>([]);
const [selectedStudyId, setSelectedStudyId] = useState<string | null>(null);
const navigate = useNavigate();
const { selectedStudy, refreshStudies } = useStudy();
const selectedStudyId = selectedStudy?.id || null;
// Redirect to home if no study selected
useEffect(() => {
if (!selectedStudy) {
navigate('/');
}
}, [selectedStudy, navigate]);
const [allTrials, setAllTrials] = useState<Trial[]>([]);
const [displayedTrials, setDisplayedTrials] = useState<Trial[]>([]);
const [bestValue, setBestValue] = useState<number>(Infinity);
@@ -55,26 +67,9 @@ export default function Dashboard() {
// Chart library toggle: 'recharts' (faster) or 'plotly' (more interactive but slower)
const [chartLibrary, setChartLibrary] = useState<'plotly' | 'recharts'>('recharts');
// Load studies on mount
useEffect(() => {
apiClient.getStudies()
.then(data => {
setStudies(data.studies);
if (data.studies.length > 0) {
// Check LocalStorage for last selected study
const savedStudyId = localStorage.getItem('lastSelectedStudyId');
const studyExists = data.studies.find(s => s.id === savedStudyId);
if (savedStudyId && studyExists) {
setSelectedStudyId(savedStudyId);
} else {
const running = data.studies.find(s => s.status === 'running');
setSelectedStudyId(running?.id || data.studies[0].id);
}
}
})
.catch(console.error);
}, []);
// Claude chat panel state
const [chatOpen, setChatOpen] = useState(false);
const [chatExpanded, setChatExpanded] = useState(false);
const showAlert = (type: 'success' | 'warning', message: string) => {
const id = alertIdCounter;
@@ -111,9 +106,6 @@ export default function Dashboard() {
setPrunedCount(0);
setExpandedTrials(new Set());
// Save to LocalStorage
localStorage.setItem('lastSelectedStudyId', selectedStudyId);
apiClient.getStudyHistory(selectedStudyId)
.then(data => {
const validTrials = data.trials.filter(t => t.objective !== null && t.objective !== undefined);
@@ -331,6 +323,19 @@ export default function Dashboard() {
<p className="text-dark-300 mt-1">Real-time optimization monitoring</p>
</div>
<div className="flex gap-2">
{/* Claude Code Terminal Toggle Button */}
<button
onClick={() => setChatOpen(!chatOpen)}
className={`flex items-center gap-2 px-4 py-2 rounded-lg transition-colors ${
chatOpen
? 'bg-primary-600 text-white'
: 'bg-dark-700 text-dark-200 hover:bg-dark-600 hover:text-white border border-dark-600'
}`}
title="Open Claude Code terminal"
>
<Terminal className="w-4 h-4" />
<span className="hidden sm:inline">Claude Code</span>
</button>
{selectedStudyId && (
<StudyReportViewer studyId={selectedStudyId} />
)}
@@ -380,24 +385,13 @@ export default function Dashboard() {
</header>
<div className="grid grid-cols-12 gap-6">
{/* Sidebar - Study List */}
{/* Control Panel - Left Sidebar */}
<aside className="col-span-3">
<Card title="Active Studies">
<div className="space-y-3 max-h-[calc(100vh-200px)] overflow-y-auto">
{studies.map(study => (
<StudyCard
key={study.id}
study={study}
isActive={study.id === selectedStudyId}
onClick={() => setSelectedStudyId(study.id)}
/>
))}
</div>
</Card>
<ControlPanel onStatusChange={refreshStudies} />
</aside>
{/* Main Content */}
<main className="col-span-9">
{/* Main Content - shrinks when chat is open */}
<main className={chatOpen ? 'col-span-5' : 'col-span-9'}>
{/* Study Name Header */}
{selectedStudyId && (
<div className="mb-4 pb-3 border-b border-dark-600">
@@ -884,6 +878,17 @@ export default function Dashboard() {
/>
</div>
</main>
{/* Claude Code Terminal - Right Sidebar */}
{chatOpen && (
<aside className="col-span-4 h-[calc(100vh-12rem)] sticky top-24">
<ClaudeTerminal
isExpanded={chatExpanded}
onToggleExpand={() => setChatExpanded(!chatExpanded)}
onClose={() => setChatOpen(false)}
/>
</aside>
)}
</div>
</div>
);

View File

@@ -0,0 +1,455 @@
import React, { useEffect, useState } from 'react';
import { useNavigate } from 'react-router-dom';
import {
FolderOpen,
Play,
CheckCircle,
Clock,
AlertCircle,
ArrowRight,
RefreshCw,
Zap,
FileText,
ChevronDown,
ChevronUp,
Target,
Activity
} from 'lucide-react';
import { useStudy } from '../context/StudyContext';
import { Study } from '../types';
import ReactMarkdown from 'react-markdown';
import remarkGfm from 'remark-gfm';
import remarkMath from 'remark-math';
import rehypeKatex from 'rehype-katex';
import { Prism as SyntaxHighlighter } from 'react-syntax-highlighter';
import { oneDark } from 'react-syntax-highlighter/dist/esm/styles/prism';
import { apiClient } from '../api/client';
const Home: React.FC = () => {
const { studies, setSelectedStudy, refreshStudies, isLoading } = useStudy();
const [selectedPreview, setSelectedPreview] = useState<Study | null>(null);
const [readme, setReadme] = useState<string>('');
const [readmeLoading, setReadmeLoading] = useState(false);
const [showAllStudies, setShowAllStudies] = useState(false);
const navigate = useNavigate();
// Load README when a study is selected for preview
useEffect(() => {
if (selectedPreview) {
loadReadme(selectedPreview.id);
} else {
setReadme('');
}
}, [selectedPreview]);
const loadReadme = async (studyId: string) => {
setReadmeLoading(true);
try {
const response = await apiClient.getStudyReadme(studyId);
setReadme(response.content || 'No README found for this study.');
} catch (error) {
setReadme('No README found for this study.');
} finally {
setReadmeLoading(false);
}
};
const handleSelectStudy = (study: Study) => {
setSelectedStudy(study);
navigate('/dashboard');
};
const getStatusIcon = (status: string) => {
switch (status) {
case 'running':
return <Play className="w-3.5 h-3.5" />;
case 'completed':
return <CheckCircle className="w-3.5 h-3.5" />;
case 'not_started':
return <Clock className="w-3.5 h-3.5" />;
default:
return <AlertCircle className="w-3.5 h-3.5" />;
}
};
const getStatusStyles = (status: string) => {
switch (status) {
case 'running':
return {
badge: 'bg-green-500/20 text-green-400 border-green-500/30',
card: 'border-green-500/30 hover:border-green-500/50',
glow: 'shadow-green-500/10'
};
case 'completed':
return {
badge: 'bg-blue-500/20 text-blue-400 border-blue-500/30',
card: 'border-blue-500/30 hover:border-blue-500/50',
glow: 'shadow-blue-500/10'
};
case 'not_started':
return {
badge: 'bg-dark-600 text-dark-400 border-dark-500',
card: 'border-dark-600 hover:border-dark-500',
glow: ''
};
default:
return {
badge: 'bg-yellow-500/20 text-yellow-400 border-yellow-500/30',
card: 'border-yellow-500/30 hover:border-yellow-500/50',
glow: 'shadow-yellow-500/10'
};
}
};
// Sort studies: running first, then by trial count
const sortedStudies = [...studies].sort((a, b) => {
if (a.status === 'running' && b.status !== 'running') return -1;
if (b.status === 'running' && a.status !== 'running') return 1;
return b.progress.current - a.progress.current;
});
const displayedStudies = showAllStudies ? sortedStudies : sortedStudies.slice(0, 6);
return (
<div className="min-h-screen bg-dark-900">
{/* Header */}
<header className="bg-dark-800/50 border-b border-dark-700 backdrop-blur-sm sticky top-0 z-10">
<div className="max-w-[1600px] mx-auto px-6 py-4">
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<div className="w-11 h-11 bg-gradient-to-br from-primary-500 to-primary-700 rounded-xl flex items-center justify-center shadow-lg shadow-primary-500/20">
<Zap className="w-6 h-6 text-white" />
</div>
<div>
<h1 className="text-2xl font-bold text-white">Atomizer</h1>
<p className="text-dark-400 text-sm">FEA Optimization Platform</p>
</div>
</div>
<button
onClick={() => refreshStudies()}
disabled={isLoading}
className="flex items-center gap-2 px-4 py-2 bg-dark-700 hover:bg-dark-600
text-white rounded-lg transition-all disabled:opacity-50 border border-dark-600"
>
<RefreshCw className={`w-4 h-4 ${isLoading ? 'animate-spin' : ''}`} />
Refresh
</button>
</div>
</div>
</header>
<main className="max-w-[1600px] mx-auto px-6 py-8">
{/* Study Selection Section */}
<section className="mb-8">
<div className="flex items-center justify-between mb-4">
<h2 className="text-lg font-semibold text-white flex items-center gap-2">
<FolderOpen className="w-5 h-5 text-primary-400" />
Select a Study
</h2>
{studies.length > 6 && (
<button
onClick={() => setShowAllStudies(!showAllStudies)}
className="text-sm text-primary-400 hover:text-primary-300 flex items-center gap-1"
>
{showAllStudies ? (
<>Show Less <ChevronUp className="w-4 h-4" /></>
) : (
<>Show All ({studies.length}) <ChevronDown className="w-4 h-4" /></>
)}
</button>
)}
</div>
{isLoading ? (
<div className="flex items-center justify-center py-12 text-dark-400">
<RefreshCw className="w-6 h-6 animate-spin mr-3" />
Loading studies...
</div>
) : studies.length === 0 ? (
<div className="text-center py-12 text-dark-400">
<FolderOpen className="w-12 h-12 mx-auto mb-3 opacity-50" />
<p>No studies found. Create a new study to get started.</p>
</div>
) : (
<div className="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-3 gap-4">
{displayedStudies.map((study) => {
const styles = getStatusStyles(study.status);
const isSelected = selectedPreview?.id === study.id;
return (
<div
key={study.id}
onClick={() => setSelectedPreview(study)}
className={`
relative p-4 rounded-xl border cursor-pointer transition-all duration-200
bg-dark-800 hover:bg-dark-750
${styles.card} ${styles.glow}
${isSelected ? 'ring-2 ring-primary-500 border-primary-500' : ''}
`}
>
{/* Status Badge */}
<div className="flex items-start justify-between mb-3">
<div className="flex-1 min-w-0 pr-2">
<h3 className="text-white font-medium truncate">{study.name || study.id}</h3>
<p className="text-dark-500 text-xs truncate mt-0.5">{study.id}</p>
</div>
<span className={`flex items-center gap-1.5 px-2 py-1 text-xs font-medium rounded-full border ${styles.badge}`}>
{getStatusIcon(study.status)}
{study.status}
</span>
</div>
{/* Stats */}
<div className="flex items-center gap-4 text-sm mb-3">
<div className="flex items-center gap-1.5 text-dark-400">
<Activity className="w-3.5 h-3.5" />
<span>{study.progress.current} trials</span>
</div>
{study.best_value !== null && (
<div className="flex items-center gap-1.5 text-primary-400">
<Target className="w-3.5 h-3.5" />
<span>{study.best_value.toFixed(4)}</span>
</div>
)}
</div>
{/* Progress Bar */}
<div className="h-1.5 bg-dark-700 rounded-full overflow-hidden">
<div
className={`h-full rounded-full transition-all duration-500 ${
study.status === 'running' ? 'bg-green-500' :
study.status === 'completed' ? 'bg-blue-500' : 'bg-primary-500'
}`}
style={{ width: `${Math.min((study.progress.current / study.progress.total) * 100, 100)}%` }}
/>
</div>
{/* Selected Indicator */}
{isSelected && (
<div className="absolute -bottom-px left-1/2 -translate-x-1/2 w-12 h-1 bg-primary-500 rounded-t-full" />
)}
</div>
);
})}
</div>
)}
</section>
{/* Study Documentation Section */}
{selectedPreview && (
<section className="animate-in fade-in slide-in-from-bottom-4 duration-300">
{/* Documentation Header */}
<div className="bg-dark-800 rounded-t-xl border border-dark-600 border-b-0">
<div className="px-6 py-4 flex items-center justify-between">
<div className="flex items-center gap-4">
<div className="w-10 h-10 bg-dark-700 rounded-lg flex items-center justify-center">
<FileText className="w-5 h-5 text-primary-400" />
</div>
<div>
<h2 className="text-xl font-semibold text-white">{selectedPreview.name || selectedPreview.id}</h2>
<p className="text-dark-400 text-sm">Study Documentation</p>
</div>
</div>
<button
onClick={() => handleSelectStudy(selectedPreview)}
className="flex items-center gap-2 px-5 py-2.5 bg-primary-600 hover:bg-primary-500
text-white rounded-lg transition-all font-medium shadow-lg shadow-primary-500/20
hover:shadow-primary-500/30"
>
Open Dashboard
<ArrowRight className="w-4 h-4" />
</button>
</div>
</div>
{/* README Content */}
<div className="bg-dark-850 rounded-b-xl border border-dark-600 border-t-0 overflow-hidden">
{readmeLoading ? (
<div className="flex items-center justify-center py-16 text-dark-400">
<RefreshCw className="w-6 h-6 animate-spin mr-3" />
Loading documentation...
</div>
) : (
<div className="p-8 overflow-x-auto">
<article className="markdown-body max-w-none">
<ReactMarkdown
remarkPlugins={[remarkGfm, remarkMath]}
rehypePlugins={[rehypeKatex]}
components={{
// Custom heading styles
h1: ({ children }) => (
<h1 className="text-3xl font-bold text-white mb-6 pb-3 border-b border-dark-600">
{children}
</h1>
),
h2: ({ children }) => (
<h2 className="text-2xl font-semibold text-white mt-10 mb-4 pb-2 border-b border-dark-700">
{children}
</h2>
),
h3: ({ children }) => (
<h3 className="text-xl font-semibold text-white mt-8 mb-3">
{children}
</h3>
),
h4: ({ children }) => (
<h4 className="text-lg font-medium text-white mt-6 mb-2">
{children}
</h4>
),
// Paragraphs
p: ({ children }) => (
<p className="text-dark-300 leading-relaxed mb-4">
{children}
</p>
),
// Strong/Bold
strong: ({ children }) => (
<strong className="text-white font-semibold">{children}</strong>
),
// Links
a: ({ href, children }) => (
<a
href={href}
className="text-primary-400 hover:text-primary-300 underline underline-offset-2"
target="_blank"
rel="noopener noreferrer"
>
{children}
</a>
),
// Lists
ul: ({ children }) => (
<ul className="list-disc list-inside text-dark-300 mb-4 space-y-1.5 ml-2">
{children}
</ul>
),
ol: ({ children }) => (
<ol className="list-decimal list-inside text-dark-300 mb-4 space-y-1.5 ml-2">
{children}
</ol>
),
li: ({ children }) => (
<li className="text-dark-300 leading-relaxed">{children}</li>
),
// Code blocks with syntax highlighting
code: ({ inline, className, children, ...props }: any) => {
const match = /language-(\w+)/.exec(className || '');
const language = match ? match[1] : '';
if (!inline && language) {
return (
<div className="my-4 rounded-lg overflow-hidden border border-dark-600">
<div className="bg-dark-700 px-4 py-2 text-xs text-dark-400 font-mono border-b border-dark-600">
{language}
</div>
<SyntaxHighlighter
style={oneDark}
language={language}
PreTag="div"
customStyle={{
margin: 0,
padding: '1rem',
background: '#1a1d23',
fontSize: '0.875rem',
}}
{...props}
>
{String(children).replace(/\n$/, '')}
</SyntaxHighlighter>
</div>
);
}
if (!inline) {
return (
<pre className="my-4 p-4 bg-dark-700 rounded-lg border border-dark-600 overflow-x-auto">
<code className="text-primary-400 text-sm font-mono">{children}</code>
</pre>
);
}
return (
<code className="px-1.5 py-0.5 bg-dark-700 text-primary-400 rounded text-sm font-mono">
{children}
</code>
);
},
// Tables
table: ({ children }) => (
<div className="my-6 overflow-x-auto rounded-lg border border-dark-600">
<table className="w-full text-sm">
{children}
</table>
</div>
),
thead: ({ children }) => (
<thead className="bg-dark-700 text-white">
{children}
</thead>
),
tbody: ({ children }) => (
<tbody className="divide-y divide-dark-600">
{children}
</tbody>
),
tr: ({ children }) => (
<tr className="hover:bg-dark-750 transition-colors">
{children}
</tr>
),
th: ({ children }) => (
<th className="px-4 py-3 text-left font-semibold text-white border-b border-dark-600">
{children}
</th>
),
td: ({ children }) => (
<td className="px-4 py-3 text-dark-300">
{children}
</td>
),
// Blockquotes
blockquote: ({ children }) => (
<blockquote className="my-4 pl-4 border-l-4 border-primary-500 bg-dark-750 py-3 pr-4 rounded-r-lg">
{children}
</blockquote>
),
// Horizontal rules
hr: () => (
<hr className="my-8 border-dark-600" />
),
// Images
img: ({ src, alt }) => (
<img
src={src}
alt={alt}
className="my-4 rounded-lg max-w-full h-auto border border-dark-600"
/>
),
}}
>
{readme}
</ReactMarkdown>
</article>
</div>
)}
</div>
</section>
)}
{/* Empty State when no study selected */}
{!selectedPreview && studies.length > 0 && (
<section className="flex items-center justify-center py-16 text-dark-400">
<div className="text-center">
<FileText className="w-16 h-16 mx-auto mb-4 opacity-30" />
<p className="text-lg">Select a study to view its documentation</p>
<p className="text-sm mt-1 text-dark-500">Click on any study card above</p>
</div>
</section>
)}
</main>
</div>
);
};
export default Home;

View File

@@ -1,151 +1,242 @@
import { useState, useEffect } from 'react';
import { useNavigate } from 'react-router-dom';
import { Card } from '../components/common/Card';
import { Button } from '../components/common/Button';
import { Download, FileText, Image, RefreshCw } from 'lucide-react';
import {
Download,
FileText,
RefreshCw,
Sparkles,
Loader2,
AlertTriangle,
CheckCircle,
Copy
} from 'lucide-react';
import { apiClient } from '../api/client';
import { Study } from '../types';
import { useStudy } from '../context/StudyContext';
import ReactMarkdown from 'react-markdown';
export default function Results() {
const [studies, setStudies] = useState<Study[]>([]);
const [selectedStudyId, setSelectedStudyId] = useState<string | null>(null);
const { selectedStudy } = useStudy();
const navigate = useNavigate();
const [reportContent, setReportContent] = useState<string | null>(null);
const [loading, setLoading] = useState(false);
const [generating, setGenerating] = useState(false);
const [error, setError] = useState<string | null>(null);
const [copied, setCopied] = useState(false);
const [lastGenerated, setLastGenerated] = useState<string | null>(null);
// Redirect if no study selected
useEffect(() => {
apiClient.getStudies()
.then(data => {
setStudies(data.studies);
if (data.studies.length > 0) {
const completed = data.studies.find(s => s.status === 'completed');
setSelectedStudyId(completed?.id || data.studies[0].id);
}
})
.catch(console.error);
}, []);
useEffect(() => {
if (selectedStudyId) {
setLoading(true);
apiClient.getStudyReport(selectedStudyId)
.then(data => {
setReportContent(data.content);
setLoading(false);
})
.catch(err => {
console.error('Failed to fetch report:', err);
// Fallback for demo if report doesn't exist
setReportContent(`# Optimization Report: ${selectedStudyId}
## Executive Summary
The optimization study successfully converged after 45 trials. The best design achieved a mass reduction of 15% while maintaining all constraints.
## Key Findings
- **Best Objective Value**: 115.185 Hz
- **Critical Parameter**: Plate Thickness (sensitivity: 0.85)
- **Constraint Margins**: All safety factors > 1.2
## Recommendations
Based on the results, we recommend proceeding with the design from Trial #45. Further refinement could be achieved by narrowing the bounds for 'thickness'.
`);
setLoading(false);
});
if (!selectedStudy) {
navigate('/');
}
}, [selectedStudyId]);
}, [selectedStudy, navigate]);
// Load report when study changes
useEffect(() => {
if (selectedStudy) {
loadReport();
}
}, [selectedStudy]);
const loadReport = async () => {
if (!selectedStudy) return;
const handleRegenerate = () => {
if (!selectedStudyId) return;
setLoading(true);
// In a real app, this would call an endpoint to trigger report generation
setTimeout(() => {
setError(null);
try {
const data = await apiClient.getStudyReport(selectedStudy.id);
setReportContent(data.content);
if (data.generated_at) {
setLastGenerated(data.generated_at);
}
} catch (err: any) {
// No report yet - show placeholder
setReportContent(null);
} finally {
setLoading(false);
}, 2000);
}
};
const handleGenerate = async () => {
if (!selectedStudy) return;
setGenerating(true);
setError(null);
try {
const data = await apiClient.generateReport(selectedStudy.id);
setReportContent(data.content);
if (data.generated_at) {
setLastGenerated(data.generated_at);
}
} catch (err: any) {
setError(err.message || 'Failed to generate report');
} finally {
setGenerating(false);
}
};
const handleCopy = async () => {
if (reportContent) {
await navigator.clipboard.writeText(reportContent);
setCopied(true);
setTimeout(() => setCopied(false), 2000);
}
};
const handleDownload = () => {
if (!reportContent || !selectedStudy) return;
const blob = new Blob([reportContent], { type: 'text/markdown' });
const url = URL.createObjectURL(blob);
const a = document.createElement('a');
a.href = url;
a.download = `${selectedStudy.id}_report.md`;
document.body.appendChild(a);
a.click();
document.body.removeChild(a);
URL.revokeObjectURL(url);
};
if (!selectedStudy) {
return null;
}
return (
<div className="container mx-auto h-[calc(100vh-100px)] flex flex-col">
<div className="h-full flex flex-col">
{/* Header */}
<header className="mb-6 flex items-center justify-between">
<div>
<h1 className="text-3xl font-bold text-primary-400">Results Viewer</h1>
<p className="text-dark-300 mt-1">Analyze completed optimization studies</p>
<h1 className="text-2xl font-bold text-white">Optimization Report</h1>
<p className="text-dark-400 mt-1">{selectedStudy.name}</p>
</div>
<div className="flex gap-2">
<Button
variant="secondary"
icon={<RefreshCw className={`w-4 h-4 ${loading ? 'animate-spin' : ''}`} />}
onClick={handleRegenerate}
disabled={loading || !selectedStudyId}
<Button
variant="primary"
icon={generating ? <Loader2 className="w-4 h-4 animate-spin" /> : <Sparkles className="w-4 h-4" />}
onClick={handleGenerate}
disabled={generating}
>
Regenerate
</Button>
<Button variant="secondary" icon={<Download className="w-4 h-4" />}>
Export Data
{generating ? 'Generating...' : reportContent ? 'Update Report' : 'Generate Report'}
</Button>
{reportContent && (
<>
<Button
variant="secondary"
icon={copied ? <CheckCircle className="w-4 h-4 text-green-400" /> : <Copy className="w-4 h-4" />}
onClick={handleCopy}
>
{copied ? 'Copied!' : 'Copy'}
</Button>
<Button
variant="secondary"
icon={<Download className="w-4 h-4" />}
onClick={handleDownload}
>
Download
</Button>
</>
)}
</div>
</header>
<div className="grid grid-cols-12 gap-6 flex-1 min-h-0">
{/* Sidebar - Study Selection */}
<aside className="col-span-3 flex flex-col gap-4">
<Card title="Select Study" className="flex-1 overflow-hidden flex flex-col">
<div className="space-y-2 overflow-y-auto flex-1 pr-2">
{studies.map(study => (
<button
key={study.id}
onClick={() => setSelectedStudyId(study.id)}
className={`w-full text-left p-3 rounded-lg transition-colors ${
selectedStudyId === study.id
? 'bg-primary-900/30 text-primary-100 border border-primary-700/50'
: 'text-dark-300 hover:bg-dark-700'
}`}
>
<div className="font-medium truncate">{study.name}</div>
<div className="text-xs text-dark-400 mt-1 capitalize">{study.status}</div>
</button>
))}
</div>
</Card>
</aside>
{/* Error Message */}
{error && (
<div className="mb-4 p-4 bg-red-900/20 border border-red-800/30 rounded-lg">
<div className="flex items-center gap-2 text-red-400">
<AlertTriangle className="w-5 h-5" />
<span>{error}</span>
</div>
</div>
)}
{/* Main Content - Report Viewer */}
<main className="col-span-9 flex flex-col gap-6 overflow-hidden">
<Card className="flex-1 overflow-hidden flex flex-col">
<div className="flex items-center justify-between border-b border-dark-600 pb-4 mb-4">
<h2 className="text-xl font-semibold text-white flex items-center gap-2">
<FileText className="w-5 h-5 text-primary-400" />
Optimization Report
</h2>
<div className="flex gap-2">
<button className="p-2 text-dark-300 hover:text-white hover:bg-dark-700 rounded-lg" title="View Charts">
<Image className="w-5 h-5" />
</button>
{/* Main Content */}
<div className="flex-1 min-h-0">
<Card className="h-full overflow-hidden flex flex-col">
<div className="flex items-center justify-between border-b border-dark-600 pb-4 mb-4">
<h2 className="text-lg font-semibold text-white flex items-center gap-2">
<FileText className="w-5 h-5 text-primary-400" />
Report Content
</h2>
{lastGenerated && (
<span className="text-xs text-dark-400">
Last generated: {new Date(lastGenerated).toLocaleString()}
</span>
)}
</div>
<div className="flex-1 overflow-y-auto pr-4 custom-scrollbar">
{loading ? (
<div className="h-full flex flex-col items-center justify-center text-dark-300">
<RefreshCw className="w-8 h-8 animate-spin mb-3" />
<span>Loading report...</span>
</div>
</div>
<div className="flex-1 overflow-y-auto pr-4 custom-scrollbar">
{loading ? (
<div className="h-full flex items-center justify-center text-dark-300">
<RefreshCw className="w-8 h-8 animate-spin mb-2" />
<span className="ml-2">Loading report...</span>
</div>
) : reportContent ? (
<div className="prose prose-invert max-w-none">
{/* Simple markdown rendering for now */}
{reportContent.split('\n').map((line, i) => {
if (line.startsWith('# ')) return <h1 key={i} className="text-2xl font-bold text-white mt-6 mb-4">{line.substring(2)}</h1>;
if (line.startsWith('## ')) return <h2 key={i} className="text-xl font-bold text-primary-200 mt-6 mb-3">{line.substring(3)}</h2>;
if (line.startsWith('- ')) return <li key={i} className="ml-4 text-dark-100">{line.substring(2)}</li>;
return <p key={i} className="text-dark-200 mb-2">{line}</p>;
})}
</div>
) : (
<div className="h-full flex items-center justify-center text-dark-300">
Select a study to view results
</div>
)}
</div>
</Card>
</main>
) : reportContent ? (
<div className="prose prose-invert prose-sm max-w-none
prose-headings:text-white prose-headings:font-semibold
prose-p:text-dark-300 prose-strong:text-white
prose-code:text-primary-400 prose-code:bg-dark-700 prose-code:px-1 prose-code:rounded
prose-pre:bg-dark-700 prose-pre:border prose-pre:border-dark-600
prose-a:text-primary-400 prose-a:no-underline hover:prose-a:underline
prose-ul:text-dark-300 prose-ol:text-dark-300
prose-li:text-dark-300
prose-table:border-collapse prose-th:border prose-th:border-dark-600 prose-th:p-2 prose-th:bg-dark-700
prose-td:border prose-td:border-dark-600 prose-td:p-2
prose-hr:border-dark-600">
<ReactMarkdown>{reportContent}</ReactMarkdown>
</div>
) : (
<div className="h-full flex flex-col items-center justify-center text-dark-400">
<FileText className="w-16 h-16 mb-4 opacity-50" />
<h3 className="text-lg font-medium text-dark-300 mb-2">No Report Generated</h3>
<p className="text-sm text-center mb-6 max-w-md">
Click "Generate Report" to create an AI-generated analysis of your optimization results.
</p>
<Button
variant="primary"
icon={<Sparkles className="w-4 h-4" />}
onClick={handleGenerate}
disabled={generating}
>
Generate Report
</Button>
</div>
)}
</div>
</Card>
</div>
{/* Study Stats */}
<div className="mt-4 grid grid-cols-4 gap-4">
<div className="bg-dark-800 rounded-lg p-4 border border-dark-600">
<div className="text-xs text-dark-400 uppercase mb-1">Total Trials</div>
<div className="text-2xl font-bold text-white">{selectedStudy.progress.current}</div>
</div>
<div className="bg-dark-800 rounded-lg p-4 border border-dark-600">
<div className="text-xs text-dark-400 uppercase mb-1">Best Value</div>
<div className="text-2xl font-bold text-primary-400">
{selectedStudy.best_value?.toFixed(4) || 'N/A'}
</div>
</div>
<div className="bg-dark-800 rounded-lg p-4 border border-dark-600">
<div className="text-xs text-dark-400 uppercase mb-1">Target</div>
<div className="text-2xl font-bold text-dark-300">
{selectedStudy.target?.toFixed(4) || 'N/A'}
</div>
</div>
<div className="bg-dark-800 rounded-lg p-4 border border-dark-600">
<div className="text-xs text-dark-400 uppercase mb-1">Status</div>
<div className={`text-lg font-bold capitalize ${
selectedStudy.status === 'completed' ? 'text-green-400' :
selectedStudy.status === 'running' ? 'text-blue-400' : 'text-dark-400'
}`}>
{selectedStudy.status}
</div>
</div>
</div>
</div>
);
}
}