Automation Part 1

This commit is contained in:
IGNY8 VPS (Salman)
2025-12-03 08:07:43 +00:00
parent 5d96e1a2bd
commit b9774aafa2
23 changed files with 3444 additions and 1 deletions

View File

@@ -0,0 +1,308 @@
/**
* Automation Dashboard Page
* Main page for managing AI automation pipeline
*/
import React, { useState, useEffect } from 'react';
import { useToast } from '../../components/ui/toast/ToastContainer';
import { useSiteStore } from '../../store/siteStore';
import { automationService, AutomationRun, AutomationConfig } from '../../services/automationService';
import StageCard from '../../components/Automation/StageCard';
import ActivityLog from '../../components/Automation/ActivityLog';
import ConfigModal from '../../components/Automation/ConfigModal';
import RunHistory from '../../components/Automation/RunHistory';
const STAGE_NAMES = [
'Keywords → Clusters',
'Clusters → Ideas',
'Ideas → Tasks',
'Tasks → Content',
'Content → Image Prompts',
'Image Prompts → Images',
'Manual Review Gate',
];
const AutomationPage: React.FC = () => {
const { activeSite } = useSiteStore();
const { showToast } = useToast();
const [config, setConfig] = useState<AutomationConfig | null>(null);
const [currentRun, setCurrentRun] = useState<AutomationRun | null>(null);
const [showConfigModal, setShowConfigModal] = useState(false);
const [loading, setLoading] = useState(true);
const [estimate, setEstimate] = useState<{ estimated_credits: number; current_balance: number; sufficient: boolean } | null>(null);
// Poll for current run updates
useEffect(() => {
if (!activeSite) return;
loadData();
// Poll every 5 seconds when run is active
const interval = setInterval(() => {
if (currentRun && (currentRun.status === 'running' || currentRun.status === 'paused')) {
loadCurrentRun();
}
}, 5000);
return () => clearInterval(interval);
}, [activeSite, currentRun?.status]);
const loadData = async () => {
if (!activeSite) return;
try {
setLoading(true);
const [configData, runData, estimateData] = await Promise.all([
automationService.getConfig(activeSite.id),
automationService.getCurrentRun(activeSite.id),
automationService.estimate(activeSite.id),
]);
setConfig(configData);
setCurrentRun(runData.run);
setEstimate(estimateData);
} catch (error: any) {
showToast('Failed to load automation data', 'error');
console.error(error);
} finally {
setLoading(false);
}
};
const loadCurrentRun = async () => {
if (!activeSite) return;
try {
const data = await automationService.getCurrentRun(activeSite.id);
setCurrentRun(data.run);
} catch (error) {
console.error('Failed to poll current run', error);
}
};
const handleRunNow = async () => {
if (!activeSite) return;
// Check credit balance
if (estimate && !estimate.sufficient) {
showToast(`Insufficient credits. Need ~${estimate.estimated_credits}, you have ${estimate.current_balance}`, 'error');
return;
}
try {
const result = await automationService.runNow(activeSite.id);
showToast('Automation started', 'success');
loadCurrentRun();
} catch (error: any) {
showToast(error.response?.data?.error || 'Failed to start automation', 'error');
}
};
const handlePause = async () => {
if (!currentRun) return;
try {
await automationService.pause(currentRun.run_id);
showToast('Automation paused', 'success');
loadCurrentRun();
} catch (error) {
showToast('Failed to pause automation', 'error');
}
};
const handleResume = async () => {
if (!currentRun) return;
try {
await automationService.resume(currentRun.run_id);
showToast('Automation resumed', 'success');
loadCurrentRun();
} catch (error) {
showToast('Failed to resume automation', 'error');
}
};
const handleSaveConfig = async (newConfig: Partial<AutomationConfig>) => {
if (!activeSite) return;
try {
await automationService.updateConfig(activeSite.id, newConfig);
showToast('Configuration saved', 'success');
setShowConfigModal(false);
loadData();
} catch (error) {
showToast('Failed to save configuration', 'error');
}
};
if (loading) {
return (
<div className="flex items-center justify-center h-screen">
<div className="text-xl">Loading automation...</div>
</div>
);
}
if (!activeSite) {
return (
<div className="flex items-center justify-center h-screen">
<div className="text-xl">Please select a site</div>
</div>
);
}
return (
<div className="container mx-auto px-4 py-6">
{/* Header */}
<div className="mb-6">
<div className="flex items-center justify-between mb-4">
<div>
<h1 className="text-3xl font-bold">AI Automation Pipeline</h1>
<p className="text-gray-600 mt-1">
Automated content creation from keywords to published articles
</p>
</div>
<div className="flex gap-2">
<button
onClick={() => setShowConfigModal(true)}
className="px-4 py-2 bg-gray-200 text-gray-800 rounded hover:bg-gray-300"
>
Configure
</button>
{currentRun?.status === 'running' && (
<button
onClick={handlePause}
className="px-4 py-2 bg-yellow-500 text-white rounded hover:bg-yellow-600"
>
Pause
</button>
)}
{currentRun?.status === 'paused' && (
<button
onClick={handleResume}
className="px-4 py-2 bg-blue-500 text-white rounded hover:bg-blue-600"
>
Resume
</button>
)}
{!currentRun && (
<button
onClick={handleRunNow}
className="px-4 py-2 bg-green-500 text-white rounded hover:bg-green-600 disabled:opacity-50"
disabled={!config?.is_enabled}
>
Run Now
</button>
)}
</div>
</div>
{/* Status Bar */}
{config && (
<div className="bg-white p-4 rounded-lg shadow">
<div className="grid grid-cols-4 gap-4">
<div>
<div className="text-sm text-gray-600">Status</div>
<div className="font-semibold">
{config.is_enabled ? (
<span className="text-green-600">Enabled</span>
) : (
<span className="text-gray-600">Disabled</span>
)}
</div>
</div>
<div>
<div className="text-sm text-gray-600">Schedule</div>
<div className="font-semibold capitalize">
{config.frequency} at {config.scheduled_time}
</div>
</div>
<div>
<div className="text-sm text-gray-600">Last Run</div>
<div className="font-semibold">
{config.last_run_at
? new Date(config.last_run_at).toLocaleString()
: 'Never'}
</div>
</div>
<div>
<div className="text-sm text-gray-600">Estimated Credits</div>
<div className="font-semibold">
{estimate?.estimated_credits || 0} credits
{estimate && !estimate.sufficient && (
<span className="text-red-600 ml-2">(Insufficient)</span>
)}
</div>
</div>
</div>
</div>
)}
</div>
{/* Current Run Status */}
{currentRun && (
<div className="mb-6">
<div className="bg-white p-4 rounded-lg shadow">
<h2 className="text-xl font-bold mb-4">
Current Run: {currentRun.run_id}
</h2>
<div className="grid grid-cols-4 gap-4 mb-4">
<div>
<div className="text-sm text-gray-600">Status</div>
<div className="font-semibold capitalize">{currentRun.status}</div>
</div>
<div>
<div className="text-sm text-gray-600">Current Stage</div>
<div className="font-semibold">
Stage {currentRun.current_stage}: {STAGE_NAMES[currentRun.current_stage - 1]}
</div>
</div>
<div>
<div className="text-sm text-gray-600">Started</div>
<div className="font-semibold">
{new Date(currentRun.started_at).toLocaleString()}
</div>
</div>
<div>
<div className="text-sm text-gray-600">Credits Used</div>
<div className="font-semibold">{currentRun.total_credits_used}</div>
</div>
</div>
{/* Stage Progress */}
<div className="grid grid-cols-7 gap-2">
{STAGE_NAMES.map((name, index) => (
<StageCard
key={index}
stageNumber={index + 1}
stageName={name}
currentStage={currentRun.current_stage}
result={currentRun[`stage_${index + 1}_result` as keyof AutomationRun] as any}
/>
))}
</div>
</div>
</div>
)}
{/* Activity Log */}
{currentRun && (
<div className="mb-6">
<ActivityLog runId={currentRun.run_id} />
</div>
)}
{/* Run History */}
<RunHistory siteId={activeSite.id} />
{/* Config Modal */}
{showConfigModal && config && (
<ConfigModal
config={config}
onSave={handleSaveConfig}
onCancel={() => setShowConfigModal(false)}
/>
)}
</div>
);
};
export default AutomationPage;