feat: Major update with validators, skills, dashboard, and docs reorganization

- Add validation framework (config, model, results, study validators)
- Add Claude Code skills (create-study, run-optimization, generate-report,
  troubleshoot, analyze-model)
- Add Atomizer Dashboard (React frontend + FastAPI backend)
- Reorganize docs into structured directories (00-09)
- Add neural surrogate modules and training infrastructure
- Add multi-objective optimization support

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

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
2025-11-25 19:23:58 -05:00
parent 74a92803b7
commit e3bdb08a22
155 changed files with 52729 additions and 37 deletions

View File

@@ -0,0 +1,258 @@
import { useState } from 'react';
import { useNavigate } from 'react-router-dom';
import { Card } from '../components/common/Card';
import { Input } from '../components/common/Input';
import { Button } from '../components/common/Button';
import { Plus, Trash2, Upload, Save } from 'lucide-react';
import { apiClient } from '../api/client';
interface DesignVariable {
id: string;
name: string;
min: number;
max: number;
unit: string;
}
interface Objective {
id: string;
name: string;
goal: 'minimize' | 'maximize' | 'target';
target?: number;
weight: number;
}
export default function Configurator() {
const navigate = useNavigate();
const [studyName, setStudyName] = useState('');
const [isSubmitting, setIsSubmitting] = useState(false);
const [variables, setVariables] = useState<DesignVariable[]>([
{ id: '1', name: 'thickness', min: 2.0, max: 10.0, unit: 'mm' }
]);
const [objectives, setObjectives] = useState<Objective[]>([
{ id: '1', name: 'mass', goal: 'minimize', weight: 1.0 }
]);
const addVariable = () => {
setVariables([
...variables,
{ id: Date.now().toString(), name: '', min: 0, max: 100, unit: '' }
]);
};
const removeVariable = (id: string) => {
setVariables(variables.filter(v => v.id !== id));
};
const updateVariable = (id: string, field: keyof DesignVariable, value: any) => {
setVariables(variables.map(v =>
v.id === id ? { ...v, [field]: value } : v
));
};
const handleCreateStudy = async () => {
if (!studyName) return;
setIsSubmitting(true);
try {
const config = {
name: studyName,
design_variables: variables.map(({ id, ...v }) => v),
objectives: objectives.map(({ id, ...o }) => o),
optimization_settings: {
n_trials: 50,
sampler: 'tpe'
}
};
await apiClient.createStudy(config);
navigate('/dashboard');
} catch (error) {
console.error('Failed to create study:', error);
} finally {
setIsSubmitting(false);
}
};
return (
<div className="container mx-auto max-w-5xl">
<header className="mb-8 flex items-center justify-between">
<div>
<h1 className="text-3xl font-bold text-primary-400">Study Configurator</h1>
<p className="text-dark-300 mt-1">Create and configure new optimization studies</p>
</div>
<Button
icon={<Save className="w-4 h-4" />}
onClick={handleCreateStudy}
isLoading={isSubmitting}
disabled={!studyName}
>
Create Study
</Button>
</header>
<div className="grid grid-cols-1 lg:grid-cols-3 gap-8">
{/* Left Column: Basic Info & Files */}
<div className="space-y-6 lg:col-span-1">
<Card title="Study Details">
<div className="space-y-4">
<Input
label="Study Name"
placeholder="e.g., bracket_optimization_v1"
value={studyName}
onChange={(e) => setStudyName(e.target.value)}
/>
<div className="pt-4 border-t border-dark-600">
<label className="block text-sm font-medium text-dark-200 mb-2">
Model Files
</label>
<div className="border-2 border-dashed border-dark-600 rounded-lg p-6 text-center hover:border-primary-500/50 hover:bg-dark-800/50 transition-colors cursor-pointer">
<Upload className="w-8 h-8 text-dark-400 mx-auto mb-2" />
<p className="text-sm text-dark-300">
Drag & drop .prt, .sim, .fem files here
</p>
<p className="text-xs text-dark-500 mt-1">
or click to browse
</p>
</div>
</div>
</div>
</Card>
<Card title="Optimization Settings">
<div className="space-y-4">
<Input
label="Number of Trials"
type="number"
defaultValue={50}
/>
<div className="space-y-2">
<label className="block text-sm font-medium text-dark-200">
Sampler
</label>
<select className="w-full bg-dark-800 border border-dark-600 rounded-lg px-3 py-2 text-dark-50 focus:outline-none focus:ring-2 focus:ring-primary-500">
<option value="tpe">TPE (Tree-structured Parzen Estimator)</option>
<option value="cmaes">CMA-ES</option>
<option value="random">Random Search</option>
</select>
</div>
</div>
</Card>
</div>
{/* Right Column: Variables & Objectives */}
<div className="space-y-6 lg:col-span-2">
<Card title="Design Variables">
<div className="space-y-4">
{variables.map((variable) => (
<div key={variable.id} className="flex gap-3 items-start bg-dark-900/50 p-3 rounded-lg border border-dark-700">
<div className="flex-1 grid grid-cols-12 gap-3">
<div className="col-span-4">
<Input
placeholder="Name"
value={variable.name}
onChange={(e) => updateVariable(variable.id, 'name', e.target.value)}
/>
</div>
<div className="col-span-3">
<Input
type="number"
placeholder="Min"
value={variable.min}
onChange={(e) => updateVariable(variable.id, 'min', parseFloat(e.target.value))}
/>
</div>
<div className="col-span-3">
<Input
type="number"
placeholder="Max"
value={variable.max}
onChange={(e) => updateVariable(variable.id, 'max', parseFloat(e.target.value))}
/>
</div>
<div className="col-span-2">
<Input
placeholder="Unit"
value={variable.unit}
onChange={(e) => updateVariable(variable.id, 'unit', e.target.value)}
/>
</div>
</div>
<button
onClick={() => removeVariable(variable.id)}
className="p-2 text-dark-400 hover:text-red-400 hover:bg-dark-800 rounded-lg transition-colors mt-0.5"
>
<Trash2 className="w-4 h-4" />
</button>
</div>
))}
<Button
variant="secondary"
size="sm"
className="w-full border-dashed"
onClick={addVariable}
icon={<Plus className="w-4 h-4" />}
>
Add Variable
</Button>
</div>
</Card>
<Card title="Objectives">
<div className="space-y-4">
{objectives.map((objective) => (
<div key={objective.id} className="flex gap-3 items-start bg-dark-900/50 p-3 rounded-lg border border-dark-700">
<div className="flex-1 grid grid-cols-12 gap-3">
<div className="col-span-5">
<Input
placeholder="Name (e.g., mass, stress)"
value={objective.name}
onChange={(e) => {
const newObjectives = objectives.map(o =>
o.id === objective.id ? { ...o, name: e.target.value } : o
);
setObjectives(newObjectives);
}}
/>
</div>
<div className="col-span-4">
<select
className="w-full bg-dark-800 border border-dark-600 rounded-lg px-3 py-2 text-dark-50 focus:outline-none focus:ring-2 focus:ring-primary-500"
value={objective.goal}
onChange={(e) => {
const newObjectives = objectives.map(o =>
o.id === objective.id ? { ...o, goal: e.target.value as any } : o
);
setObjectives(newObjectives);
}}
>
<option value="minimize">Minimize</option>
<option value="maximize">Maximize</option>
<option value="target">Target Value</option>
</select>
</div>
<div className="col-span-3">
<Input
type="number"
placeholder="Weight"
value={objective.weight}
onChange={(e) => {
const newObjectives = objectives.map(o =>
o.id === objective.id ? { ...o, weight: parseFloat(e.target.value) } : o
);
setObjectives(newObjectives);
}}
/>
</div>
</div>
</div>
))}
</div>
</Card>
</div>
</div>
</div>
);
}

View File

@@ -28,6 +28,7 @@ export default function Dashboard() {
// Protocol 13: New state for metadata and Pareto front
const [studyMetadata, setStudyMetadata] = useState<any>(null);
const [paretoFront, setParetoFront] = useState<any[]>([]);
const [allTrialsRaw, setAllTrialsRaw] = useState<any[]>([]); // All trials for parallel coordinates
// Load studies on mount
useEffect(() => {
@@ -117,13 +118,32 @@ export default function Dashboard() {
fetch(`/api/optimization/studies/${selectedStudyId}/pareto-front`)
.then(res => res.json())
.then(paretoData => {
console.log('[Dashboard] Pareto front data:', paretoData);
if (paretoData.is_multi_objective && paretoData.pareto_front) {
console.log('[Dashboard] Setting Pareto front with', paretoData.pareto_front.length, 'trials');
setParetoFront(paretoData.pareto_front);
} else {
console.log('[Dashboard] No Pareto front or not multi-objective');
setParetoFront([]);
}
})
.catch(err => console.error('Failed to load Pareto front:', err));
// Fetch ALL trials (not just Pareto) for parallel coordinates
fetch(`/api/optimization/studies/${selectedStudyId}/history`)
.then(res => res.json())
.then(data => {
// Transform to match the format expected by ParallelCoordinatesPlot
const trialsData = data.trials.map((t: any) => ({
trial_number: t.trial_number,
values: t.values || [],
params: t.design_variables || {},
user_attrs: t.user_attrs || {},
constraint_satisfied: t.constraint_satisfied !== false
}));
setAllTrialsRaw(trialsData);
})
.catch(err => console.error('Failed to load all trials:', err));
}
}, [selectedStudyId]);
@@ -275,13 +295,12 @@ export default function Dashboard() {
<div className="flex gap-2">
<button
onClick={() => {
if (selectedStudyId) {
window.open(`http://localhost:8080?study=${selectedStudyId}`, '_blank');
}
// Open Optuna dashboard on port 8081
// Note: The dashboard needs to be started separately with the correct study database
window.open('http://localhost:8081', '_blank');
}}
className="btn-secondary"
disabled={!selectedStudyId}
title="Open Optuna Dashboard (make sure it's running on port 8080)"
title="Open Optuna Dashboard (runs on port 8081)"
>
Optuna Dashboard
</button>
@@ -355,17 +374,19 @@ export default function Dashboard() {
<ParetoPlot
paretoData={paretoFront}
objectives={studyMetadata.objectives}
allTrials={allTrialsRaw}
/>
</div>
)}
{/* Parallel Coordinates (full width for multi-objective) */}
{paretoFront.length > 0 && studyMetadata && studyMetadata.objectives && studyMetadata.design_variables && (
{allTrialsRaw.length > 0 && studyMetadata && studyMetadata.objectives && studyMetadata.design_variables && (
<div className="mb-6">
<ParallelCoordinatesPlot
paretoData={paretoFront}
paretoData={allTrialsRaw}
objectives={studyMetadata.objectives}
designVariables={studyMetadata.design_variables}
paretoFront={paretoFront}
/>
</div>
)}

View File

@@ -0,0 +1,151 @@
import { useState, useEffect } from 'react';
import { Card } from '../components/common/Card';
import { Button } from '../components/common/Button';
import { Download, FileText, Image, RefreshCw } from 'lucide-react';
import { apiClient } from '../api/client';
import { Study } from '../types';
export default function Results() {
const [studies, setStudies] = useState<Study[]>([]);
const [selectedStudyId, setSelectedStudyId] = useState<string | null>(null);
const [reportContent, setReportContent] = useState<string | null>(null);
const [loading, setLoading] = useState(false);
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);
});
}
}, [selectedStudyId]);
const handleRegenerate = () => {
if (!selectedStudyId) return;
setLoading(true);
// In a real app, this would call an endpoint to trigger report generation
setTimeout(() => {
setLoading(false);
}, 2000);
};
return (
<div className="container mx-auto h-[calc(100vh-100px)] flex flex-col">
<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>
</div>
<div className="flex gap-2">
<Button
variant="secondary"
icon={<RefreshCw className={`w-4 h-4 ${loading ? 'animate-spin' : ''}`} />}
onClick={handleRegenerate}
disabled={loading || !selectedStudyId}
>
Regenerate
</Button>
<Button variant="secondary" icon={<Download className="w-4 h-4" />}>
Export Data
</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>
{/* 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>
</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>
</div>
</div>
);
}