- Nueva estructura de tabs: Resumen, Dimensiones, Agentic Readiness, Roadmap - Componentes de visualización McKinsey: - BulletChart: actual vs benchmark con rangos de color - WaterfallChart: impacto económico con costes y ahorros - OpportunityTreemap: priorización por volumen y readiness - 5 dimensiones actualizadas (sin satisfaction ni economy) - Header sticky con navegación animada - Integración completa con datos existentes Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
195 lines
6.4 KiB
TypeScript
195 lines
6.4 KiB
TypeScript
// components/SinglePageDataRequestIntegrated.tsx
|
|
// Versión integrada con DataInputRedesigned + Dashboard actual
|
|
|
|
import React, { useState } from 'react';
|
|
import { motion } from 'framer-motion';
|
|
import { Toaster } from 'react-hot-toast';
|
|
import { TierKey, AnalysisData } from '../types';
|
|
import TierSelectorEnhanced from './TierSelectorEnhanced';
|
|
import DataInputRedesigned from './DataInputRedesigned';
|
|
import DashboardTabs from './DashboardTabs';
|
|
import { generateAnalysis } from '../utils/analysisGenerator';
|
|
import toast from 'react-hot-toast';
|
|
import { useAuth } from '../utils/AuthContext';
|
|
|
|
const SinglePageDataRequestIntegrated: React.FC = () => {
|
|
const [selectedTier, setSelectedTier] = useState<TierKey>('silver');
|
|
const [view, setView] = useState<'form' | 'dashboard'>('form');
|
|
const [analysisData, setAnalysisData] = useState<AnalysisData | null>(null);
|
|
const [isAnalyzing, setIsAnalyzing] = useState(false);
|
|
|
|
const handleTierSelect = (tier: TierKey) => {
|
|
setSelectedTier(tier);
|
|
};
|
|
|
|
const { authHeader, logout } = useAuth();
|
|
|
|
|
|
const handleAnalyze = (config: {
|
|
costPerHour: number;
|
|
avgCsat: number;
|
|
segmentMapping?: {
|
|
high_value_queues: string[];
|
|
medium_value_queues: string[];
|
|
low_value_queues: string[];
|
|
};
|
|
file?: File;
|
|
sheetUrl?: string;
|
|
useSynthetic?: boolean;
|
|
}) => {
|
|
console.log('🚀 handleAnalyze called with config:', config);
|
|
console.log('🎯 Selected tier:', selectedTier);
|
|
console.log('📄 File:', config.file);
|
|
console.log('🔗 Sheet URL:', config.sheetUrl);
|
|
console.log('✨ Use Synthetic:', config.useSynthetic);
|
|
|
|
// Validar que hay datos
|
|
if (!config.file && !config.sheetUrl && !config.useSynthetic) {
|
|
toast.error('Por favor, sube un archivo, introduce una URL o genera datos sintéticos.');
|
|
return;
|
|
}
|
|
|
|
// 🔐 Si usamos CSV real, exigir estar logado
|
|
if (config.file && !config.useSynthetic && !authHeader) {
|
|
toast.error('Debes iniciar sesión para analizar datos reales.');
|
|
return;
|
|
}
|
|
|
|
setIsAnalyzing(true);
|
|
toast.loading('Generando análisis...', { id: 'analyzing' });
|
|
|
|
setTimeout(async () => {
|
|
console.log('⏰ Generating analysis...');
|
|
try {
|
|
const data = await generateAnalysis(
|
|
selectedTier,
|
|
config.costPerHour,
|
|
config.avgCsat,
|
|
config.segmentMapping,
|
|
config.file,
|
|
config.sheetUrl,
|
|
config.useSynthetic,
|
|
authHeader || undefined
|
|
);
|
|
console.log('✅ Analysis generated successfully');
|
|
|
|
setAnalysisData(data);
|
|
setIsAnalyzing(false);
|
|
toast.dismiss('analyzing');
|
|
toast.success('¡Análisis completado!', { icon: '🎉' });
|
|
setView('dashboard');
|
|
|
|
// Scroll to top
|
|
window.scrollTo({ top: 0, behavior: 'smooth' });
|
|
} catch (error) {
|
|
console.error('❌ Error generating analysis:', error);
|
|
setIsAnalyzing(false);
|
|
toast.dismiss('analyzing');
|
|
|
|
const msg = (error as Error).message || '';
|
|
|
|
if (msg.includes('401')) {
|
|
toast.error('Sesión caducada o credenciales incorrectas. Vuelve a iniciar sesión.');
|
|
logout();
|
|
} else {
|
|
toast.error('Error al generar el análisis: ' + msg);
|
|
}
|
|
}
|
|
}, 1500);
|
|
};
|
|
|
|
const handleBackToForm = () => {
|
|
setView('form');
|
|
setAnalysisData(null);
|
|
window.scrollTo({ top: 0, behavior: 'smooth' });
|
|
};
|
|
|
|
// Dashboard view
|
|
if (view === 'dashboard' && analysisData) {
|
|
console.log('📊 Rendering dashboard with data:', analysisData);
|
|
console.log('📊 Heatmap data length:', analysisData.heatmapData?.length);
|
|
console.log('📊 Dimensions length:', analysisData.dimensions?.length);
|
|
|
|
try {
|
|
return <DashboardTabs data={analysisData} onBack={handleBackToForm} />;
|
|
} catch (error) {
|
|
console.error('❌ Error rendering dashboard:', error);
|
|
return (
|
|
<div className="min-h-screen bg-red-50 p-8">
|
|
<div className="max-w-2xl mx-auto bg-white rounded-xl shadow-lg p-6">
|
|
<h1 className="text-2xl font-bold text-red-600 mb-4">Error al renderizar dashboard</h1>
|
|
<p className="text-slate-700 mb-4">{(error as Error).message}</p>
|
|
<button
|
|
onClick={handleBackToForm}
|
|
className="px-4 py-2 bg-slate-200 text-slate-700 rounded-lg hover:bg-slate-300"
|
|
>
|
|
Volver al formulario
|
|
</button>
|
|
</div>
|
|
</div>
|
|
);
|
|
}
|
|
}
|
|
|
|
// Form view
|
|
return (
|
|
<>
|
|
<Toaster position="top-right" />
|
|
|
|
<div className="w-full min-h-screen bg-gradient-to-br from-slate-50 via-[#E8EBFA] to-slate-100 font-sans">
|
|
<div className="w-full max-w-7xl mx-auto p-6 space-y-8">
|
|
{/* Header */}
|
|
<motion.div
|
|
initial={{ opacity: 0, y: -20 }}
|
|
animate={{ opacity: 1, y: 0 }}
|
|
className="text-center"
|
|
>
|
|
<h1 className="text-4xl md:text-5xl font-bold text-slate-900 mb-3">
|
|
Beyond Diagnostic
|
|
</h1>
|
|
<p className="text-lg text-slate-600">
|
|
Análisis de Readiness Agéntico para Contact Centers
|
|
</p>
|
|
<button
|
|
onClick={logout}
|
|
className="text-xs text-slate-500 hover:text-slate-800 underline mt-1"
|
|
>
|
|
Cerrar sesión
|
|
</button>
|
|
</motion.div>
|
|
|
|
{/* Tier Selection */}
|
|
<motion.div
|
|
initial={{ opacity: 0, y: 20 }}
|
|
animate={{ opacity: 1, y: 0 }}
|
|
transition={{ delay: 0.1 }}
|
|
className="bg-white rounded-xl shadow-lg p-8"
|
|
>
|
|
<div className="mb-8">
|
|
<h2 className="text-3xl font-bold text-slate-900 mb-2">
|
|
Selecciona tu Tier de Análisis
|
|
</h2>
|
|
<p className="text-slate-600">
|
|
Elige el nivel de profundidad que necesitas para tu diagnóstico
|
|
</p>
|
|
</div>
|
|
|
|
<TierSelectorEnhanced
|
|
selectedTier={selectedTier}
|
|
onSelectTier={handleTierSelect}
|
|
/>
|
|
</motion.div>
|
|
|
|
{/* Data Input - Using redesigned component */}
|
|
<DataInputRedesigned
|
|
onAnalyze={handleAnalyze}
|
|
isAnalyzing={isAnalyzing}
|
|
/>
|
|
</div>
|
|
</div>
|
|
</>
|
|
);
|
|
};
|
|
|
|
export default SinglePageDataRequestIntegrated;
|