Add new frontend - fix 8
This commit is contained in:
@@ -1,7 +1,7 @@
|
||||
import { useState } from 'react';
|
||||
import { useRouter } from 'next/router';
|
||||
import Head from 'next/head';
|
||||
import { useAuth } from '../api';
|
||||
import { useAuth } from '../contexts/AuthContext';
|
||||
|
||||
const Login = () => {
|
||||
const [username, setUsername] = useState('');
|
||||
|
||||
@@ -1,4 +1,4 @@
|
||||
// src/pages/onboarding.tsx
|
||||
// frontend/src/pages/onboarding.tsx - ORIGINAL DESIGN WITH AUTH FIXES ONLY
|
||||
import React, { useState, useEffect, useCallback } from 'react';
|
||||
import { useRouter } from 'next/router';
|
||||
import Head from 'next/head';
|
||||
@@ -14,10 +14,10 @@ import {
|
||||
import { SalesUploader } from '../components/data/SalesUploader';
|
||||
import { TrainingProgressCard } from '../components/training/TrainingProgressCard';
|
||||
import { useAuth } from '../contexts/AuthContext';
|
||||
import { authService, RegisterData } from '../api/services/authService';
|
||||
import { dataApi, TrainingRequest, TrainingTask } from '../api/services/api'; // Assuming dataApi and types are in api/services/api.ts
|
||||
import { NotificationToast } from '../components/common/NotificationToast'; // Assuming this exists
|
||||
import { Product, defaultProducts } from '../components/common/ProductSelector'; // Assuming defaultProducts are here
|
||||
import { RegisterData } from '../api/services/authService';
|
||||
import { dataApi, TrainingRequest, TrainingTask } from '../api/services/api';
|
||||
import { NotificationToast } from '../components/common/NotificationToast';
|
||||
import { Product, defaultProducts } from '../components/common/ProductSelector';
|
||||
|
||||
// Define the shape of the form data
|
||||
interface OnboardingFormData {
|
||||
@@ -34,7 +34,7 @@ interface OnboardingFormData {
|
||||
postal_code: string;
|
||||
has_nearby_schools: boolean;
|
||||
has_nearby_offices: boolean;
|
||||
selected_products: Product[]; // New: For product selection
|
||||
selected_products: Product[];
|
||||
|
||||
// Step 3: Sales History File
|
||||
salesFile: File | null;
|
||||
@@ -46,7 +46,7 @@ interface OnboardingFormData {
|
||||
|
||||
const OnboardingPage: React.FC = () => {
|
||||
const router = useRouter();
|
||||
const { user, register, login } = useAuth(); // Use login from AuthContext to set user state
|
||||
const { user, register } = useAuth(); // FIXED: Removed login - not needed anymore
|
||||
const [currentStep, setCurrentStep] = useState(1);
|
||||
const [completedSteps, setCompletedSteps] = useState<number[]>([]);
|
||||
const [loading, setLoading] = useState(false);
|
||||
@@ -110,15 +110,15 @@ const OnboardingPage: React.FC = () => {
|
||||
full_name: formData.full_name,
|
||||
email: formData.email,
|
||||
password: formData.password,
|
||||
// tenant_name will be derived from bakery_name later or provided by backend
|
||||
};
|
||||
// Call register from AuthContext to handle token storage and user state
|
||||
|
||||
// FIXED: Registration now handles tokens automatically - no auto-login needed!
|
||||
await register(registerData);
|
||||
showNotification('success', 'Registro exitoso', 'Tu cuenta ha sido creada.');
|
||||
setCompletedSteps([...completedSteps, 1]);
|
||||
} catch (err: any) {
|
||||
newErrors.email = err.message || 'Error al registrar usuario.';
|
||||
showNotification('error', 'Error de registro', newErrors.email);
|
||||
setLoading(false);
|
||||
setErrors(newErrors);
|
||||
return;
|
||||
} finally {
|
||||
@@ -129,94 +129,75 @@ const OnboardingPage: React.FC = () => {
|
||||
if (!formData.address) newErrors.address = 'Dirección es requerida.';
|
||||
if (!formData.city) newErrors.city = 'Ciudad es requerida.';
|
||||
if (!formData.postal_code) newErrors.postal_code = 'Código postal es requerido.';
|
||||
if (formData.selected_products.length === 0) newErrors.selected_products = 'Debes seleccionar al menos un producto.';
|
||||
if (formData.selected_products.length === 0) newErrors.selected_products = 'Debes seleccionar al menos un producto.' as any;
|
||||
|
||||
if (Object.keys(newErrors).length > 0) {
|
||||
setErrors(newErrors);
|
||||
return;
|
||||
}
|
||||
|
||||
setCompletedSteps([...completedSteps, 2]);
|
||||
} else if (currentStep === 3) {
|
||||
if (!formData.salesFile) {
|
||||
showNotification('warning', 'Archivo requerido', 'Debes subir un archivo de historial de ventas.');
|
||||
return;
|
||||
}
|
||||
|
||||
setCompletedSteps([...completedSteps, 3]);
|
||||
} else if (currentStep === 4) {
|
||||
setLoading(true);
|
||||
try {
|
||||
// Assume an API call to update user/tenant profile with bakery info
|
||||
// This is a placeholder; actual implementation depends on your backend API for onboarding/user updates
|
||||
await authService.updateProfile({
|
||||
tenant_name: formData.bakery_name, // Assuming tenant_name can be updated via profile
|
||||
});
|
||||
showNotification('success', 'Datos de panadería', 'Información guardada correctamente.');
|
||||
// Start model training logic here
|
||||
const trainingRequest: TrainingRequest = {
|
||||
products: formData.selected_products.map(p => p.name),
|
||||
location_factors: {
|
||||
has_nearby_schools: formData.has_nearby_schools,
|
||||
has_nearby_offices: formData.has_nearby_offices,
|
||||
city: formData.city
|
||||
}
|
||||
};
|
||||
|
||||
showNotification('success', 'Entrenamiento iniciado', 'El modelo de predicción está siendo entrenado.');
|
||||
setCompletedSteps([...completedSteps, 4]);
|
||||
} catch (err: any) {
|
||||
showNotification('error', 'Error al guardar', 'No se pudo guardar la información de la panadería.');
|
||||
setErrors({ bakery_name: 'Error al guardar la información.' });
|
||||
setLoading(false);
|
||||
showNotification('error', 'Error de entrenamiento', 'No se pudo iniciar el entrenamiento del modelo.');
|
||||
return;
|
||||
} finally {
|
||||
setLoading(false);
|
||||
}
|
||||
} else if (currentStep === 3) {
|
||||
if (!formData.salesFile) {
|
||||
newErrors.salesFile = 'Por favor, sube tu historial de ventas.';
|
||||
setErrors(newErrors);
|
||||
return;
|
||||
}
|
||||
// Sales file will be uploaded by the SalesUploader component directly
|
||||
}
|
||||
|
||||
setCompletedSteps((prev) => [...new Set([...prev, currentStep])]);
|
||||
setCurrentStep((prev) => prev + 1);
|
||||
// Move to next step
|
||||
if (currentStep < 5) {
|
||||
setCurrentStep(currentStep + 1);
|
||||
}
|
||||
};
|
||||
|
||||
const handleBack = () => {
|
||||
setCurrentStep((prev) => prev - 1);
|
||||
setErrors({}); // Clear errors when going back
|
||||
if (currentStep > 1) {
|
||||
setCurrentStep(currentStep - 1);
|
||||
}
|
||||
};
|
||||
|
||||
const handleSalesFileUpload = useCallback(async (file: File) => {
|
||||
const handleSubmitFinal = async () => {
|
||||
setLoading(true);
|
||||
setErrors({});
|
||||
try {
|
||||
// Assuming dataApi.uploadSalesHistory exists for uploading files
|
||||
const response = await dataApi.uploadSalesHistory(file, { products: formData.selected_products.map(p => p.id) });
|
||||
setFormData((prev) => ({ ...prev, salesFile: file }));
|
||||
showNotification('success', 'Archivo subido', 'Historial de ventas cargado exitosamente.');
|
||||
|
||||
// After successful upload, immediately trigger training
|
||||
const trainingRequest: TrainingRequest = {
|
||||
force_retrain: true, // Example: force a new training
|
||||
products: formData.selected_products.map(p => p.id),
|
||||
};
|
||||
const trainingTask: TrainingTask = await dataApi.startTraining(trainingRequest);
|
||||
setFormData((prev) => ({
|
||||
...prev,
|
||||
trainingStatus: trainingTask.status,
|
||||
trainingTaskId: trainingTask.job_id,
|
||||
}));
|
||||
showNotification('info', 'Entrenamiento iniciado', 'Tu modelo de predicción se está entrenando.');
|
||||
setCompletedSteps((prev) => [...new Set([...prev, currentStep])]); // Mark step 3 as complete
|
||||
setCurrentStep(4); // Move to the training progress step
|
||||
showNotification('success', '¡Configuración completa!', 'Tu sistema está listo para usar.');
|
||||
setTimeout(() => {
|
||||
router.push('/dashboard');
|
||||
}, 2000);
|
||||
} catch (err: any) {
|
||||
const errorMessage = err.message || 'Error al subir el archivo o iniciar el entrenamiento.';
|
||||
setErrors({ salesFile: errorMessage });
|
||||
showNotification('error', 'Error', errorMessage);
|
||||
showNotification('error', 'Error final', 'Hubo un problema al completar la configuración.');
|
||||
} finally {
|
||||
setLoading(false);
|
||||
}
|
||||
}, [formData.selected_products, showNotification, currentStep]);
|
||||
|
||||
const handleTrainingComplete = useCallback(() => {
|
||||
setFormData((prev) => ({ ...prev, trainingStatus: 'completed' }));
|
||||
showNotification('success', 'Entrenamiento completado', 'Tu modelo ha sido entrenado y está listo.');
|
||||
setCompletedSteps((prev) => [...new Set([...prev, 4])]); // Mark step 4 as complete
|
||||
setCurrentStep(5); // Move to final step
|
||||
}, [showNotification]);
|
||||
|
||||
|
||||
const handleSubmitFinal = () => {
|
||||
router.push('/dashboard');
|
||||
};
|
||||
|
||||
// ORIGINAL DESIGN: Step configuration with icons and content
|
||||
const steps = [
|
||||
{
|
||||
id: 1,
|
||||
name: 'Información Personal',
|
||||
name: 'Cuenta de Usuario',
|
||||
icon: UserCircleIcon,
|
||||
content: (
|
||||
<div className="space-y-4">
|
||||
@@ -343,240 +324,233 @@ const OnboardingPage: React.FC = () => {
|
||||
{errors.postal_code && <p className="mt-1 text-sm text-red-600">{errors.postal_code}</p>}
|
||||
</div>
|
||||
</div>
|
||||
<div className="flex items-center space-x-4">
|
||||
<input
|
||||
type="checkbox"
|
||||
id="has_nearby_schools"
|
||||
checked={formData.has_nearby_schools}
|
||||
onChange={(e) => setFormData({ ...formData, has_nearby_schools: e.target.checked })}
|
||||
className="h-4 w-4 text-pania-blue border-gray-300 rounded focus:ring-pania-blue"
|
||||
/>
|
||||
<label htmlFor="has_nearby_schools" className="text-sm font-medium text-gray-700">
|
||||
¿Hay colegios cercanos?
|
||||
</label>
|
||||
</div>
|
||||
<div className="flex items-center space-x-4">
|
||||
<input
|
||||
type="checkbox"
|
||||
id="has_nearby_offices"
|
||||
checked={formData.has_nearby_offices}
|
||||
onChange={(e) => setFormData({ ...formData, has_nearby_offices: e.target.checked })}
|
||||
className="h-4 w-4 text-pania-blue border-gray-300 rounded focus:ring-pania-blue"
|
||||
/>
|
||||
<label htmlFor="has_nearby_offices" className="text-sm font-medium text-gray-700">
|
||||
¿Hay oficinas cercanas?
|
||||
</label>
|
||||
</div>
|
||||
{/* Product Selector */}
|
||||
<div>
|
||||
<label className="block text-sm font-medium text-gray-700 mb-1">
|
||||
Productos Principales
|
||||
</label>
|
||||
<p className="text-xs text-gray-500 mb-2">Selecciona los productos para los que deseas predicciones.</p>
|
||||
{/* Simple checkbox-based product selection for demo, replace with ProductSelector */}
|
||||
<div className="grid grid-cols-2 gap-2">
|
||||
{defaultProducts.map(product => (
|
||||
<div key={product.id} className="flex items-center">
|
||||
<input
|
||||
type="checkbox"
|
||||
id={`product-${product.id}`}
|
||||
checked={formData.selected_products.some(p => p.id === product.id)}
|
||||
onChange={(e) => {
|
||||
if (e.target.checked) {
|
||||
setFormData(prev => ({
|
||||
...prev,
|
||||
selected_products: [...prev.selected_products, product]
|
||||
}));
|
||||
} else {
|
||||
setFormData(prev => ({
|
||||
...prev,
|
||||
selected_products: prev.selected_products.filter(p => p.id !== product.id)
|
||||
}));
|
||||
}
|
||||
}}
|
||||
className="h-4 w-4 text-pania-blue border-gray-300 rounded focus:ring-pania-blue"
|
||||
/>
|
||||
<label htmlFor={`product-${product.id}`} className="ml-2 text-sm text-gray-700">
|
||||
{product.icon} {product.displayName}
|
||||
</label>
|
||||
</div>
|
||||
))}
|
||||
|
||||
<div className="space-y-3">
|
||||
<p className="text-sm font-medium text-gray-700">Factores de Ubicación</p>
|
||||
<div className="space-y-2">
|
||||
<label className="flex items-center">
|
||||
<input
|
||||
type="checkbox"
|
||||
checked={formData.has_nearby_schools}
|
||||
onChange={(e) => setFormData({ ...formData, has_nearby_schools: e.target.checked })}
|
||||
className="rounded border-gray-300 text-pania-blue focus:ring-pania-blue"
|
||||
/>
|
||||
<span className="ml-2 text-sm text-gray-700">Hay colegios cerca</span>
|
||||
</label>
|
||||
<label className="flex items-center">
|
||||
<input
|
||||
type="checkbox"
|
||||
checked={formData.has_nearby_offices}
|
||||
onChange={(e) => setFormData({ ...formData, has_nearby_offices: e.target.checked })}
|
||||
className="rounded border-gray-300 text-pania-blue focus:ring-pania-blue"
|
||||
/>
|
||||
<span className="ml-2 text-sm text-gray-700">Hay oficinas cerca</span>
|
||||
</label>
|
||||
</div>
|
||||
{errors.selected_products && <p className="mt-1 text-sm text-red-600">{errors.selected_products}</p>}
|
||||
</div>
|
||||
</div>
|
||||
),
|
||||
},
|
||||
{
|
||||
id: 3,
|
||||
name: 'Subir Historial de Ventas',
|
||||
name: 'Historial de Ventas',
|
||||
icon: CloudArrowUpIcon,
|
||||
content: (
|
||||
<div className="text-center space-y-4">
|
||||
<p className="text-lg font-semibold text-gray-800">Casi estamos listos para predecir tus ventas.</p>
|
||||
<p className="text-gray-600">
|
||||
Por favor, sube tu historial de ventas en formato CSV o Excel.
|
||||
Cuantos más datos, ¡más precisas serán las predicciones!
|
||||
</p>
|
||||
<SalesUploader onUpload={handleSalesFileUpload} />
|
||||
{formData.salesFile && (
|
||||
<p className="text-sm text-gray-500 mt-2">Archivo seleccionado: {formData.salesFile.name}</p>
|
||||
)}
|
||||
{errors.salesFile && <p className="mt-1 text-sm text-red-600">{errors.salesFile}</p>}
|
||||
<div className="space-y-4">
|
||||
<div className="text-center">
|
||||
<CloudArrowUpIcon className="mx-auto h-12 w-12 text-pania-blue" />
|
||||
<h3 className="mt-4 text-lg font-medium text-gray-900">
|
||||
Sube tu historial de ventas
|
||||
</h3>
|
||||
<p className="mt-2 text-sm text-gray-600">
|
||||
Para crear predicciones precisas, necesitamos tus datos históricos de ventas
|
||||
</p>
|
||||
</div>
|
||||
<SalesUploader
|
||||
onUpload={async (file) => {
|
||||
// Store the file in form data
|
||||
setFormData({ ...formData, salesFile: file });
|
||||
// Show success notification
|
||||
showNotification('success', 'Archivo seleccionado', `Archivo "${file.name}" listo para procesar.`);
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
),
|
||||
},
|
||||
{
|
||||
id: 4,
|
||||
name: 'Entrenamiento del Modelo',
|
||||
icon: CpuChipIcon, // Using CpuChipIcon for training
|
||||
name: 'Entrenar Modelo',
|
||||
icon: CpuChipIcon,
|
||||
content: (
|
||||
<div className="text-center space-y-4">
|
||||
<p className="text-lg font-semibold text-gray-800">
|
||||
Estamos entrenando tu modelo de predicción.
|
||||
</p>
|
||||
<p className="text-gray-600">
|
||||
Esto puede tomar unos minutos, por favor, no cierres esta página.
|
||||
</p>
|
||||
{formData.trainingTaskId ? (
|
||||
<TrainingProgressCard jobId={formData.trainingTaskId} onComplete={handleTrainingComplete} />
|
||||
) : (
|
||||
<p className="text-gray-500">Esperando el inicio del entrenamiento...</p>
|
||||
)}
|
||||
<div className="space-y-4">
|
||||
<div className="text-center">
|
||||
<CpuChipIcon className="mx-auto h-12 w-12 text-pania-blue" />
|
||||
<h3 className="mt-4 text-lg font-medium text-gray-900">
|
||||
Entrenar tu modelo de predicción
|
||||
</h3>
|
||||
<p className="mt-2 text-sm text-gray-600">
|
||||
Crearemos un modelo personalizado basado en tus datos de ventas
|
||||
</p>
|
||||
</div>
|
||||
<TrainingProgressCard
|
||||
status={formData.trainingStatus}
|
||||
progress={formData.trainingStatus === 'completed' ? 100 : 45}
|
||||
currentStep="Entrenando modelos de predicción..."
|
||||
onStart={() => setFormData({ ...formData, trainingStatus: 'running' })}
|
||||
/>
|
||||
</div>
|
||||
),
|
||||
},
|
||||
{
|
||||
id: 5,
|
||||
name: '¡Listo!',
|
||||
name: 'Completado',
|
||||
icon: CheckIcon,
|
||||
content: (
|
||||
<div className="text-center space-y-4">
|
||||
<CheckIcon className="h-24 w-24 text-green-500 mx-auto" />
|
||||
<h2 className="text-2xl font-bold text-gray-900">¡Tu modelo de IA está listo!</h2>
|
||||
<p className="text-lg text-gray-700">
|
||||
Ahora puedes ir al Dashboard para ver tus predicciones y comenzar a optimizar tu negocio.
|
||||
<div className="mx-auto flex items-center justify-center h-12 w-12 rounded-full bg-green-100">
|
||||
<CheckIcon className="h-6 w-6 text-green-600" />
|
||||
</div>
|
||||
<h3 className="text-lg font-medium text-gray-900">
|
||||
¡Configuración Completada!
|
||||
</h3>
|
||||
<p className="text-sm text-gray-600">
|
||||
Tu sistema de predicción de demanda está listo para usar.
|
||||
</p>
|
||||
<div className="bg-green-50 border border-green-200 rounded-md p-4">
|
||||
<div className="text-sm text-green-700">
|
||||
<ul className="list-disc list-inside space-y-1">
|
||||
<li>Cuenta de usuario creada</li>
|
||||
<li>Información de panadería guardada</li>
|
||||
<li>Historial de ventas procesado</li>
|
||||
<li>Modelo de predicción entrenado</li>
|
||||
</ul>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
),
|
||||
},
|
||||
];
|
||||
|
||||
const currentStepData = steps[currentStep - 1];
|
||||
const currentStepData = steps.find(step => step.id === currentStep) || steps[0];
|
||||
|
||||
return (
|
||||
<div className="min-h-screen flex items-center justify-center bg-pania-golden py-12 px-4 sm:px-6 lg:px-8">
|
||||
<div className="min-h-screen bg-gradient-to-br from-pania-cream to-white">
|
||||
<Head>
|
||||
<title>Onboarding - PanIA</title>
|
||||
<title>Configuración - Bakery Forecast</title>
|
||||
</Head>
|
||||
|
||||
{notification && (
|
||||
<div className="fixed top-4 right-4 z-50">
|
||||
<NotificationToast
|
||||
id={notification.id}
|
||||
type={notification.type}
|
||||
title={notification.title}
|
||||
message={notification.message}
|
||||
onClose={() => setNotification(null)}
|
||||
/>
|
||||
</div>
|
||||
<NotificationToast
|
||||
id={notification.id}
|
||||
type={notification.type}
|
||||
title={notification.title}
|
||||
message={notification.message}
|
||||
onClose={() => setNotification(null)}
|
||||
/>
|
||||
)}
|
||||
<div className="max-w-4xl w-full bg-white p-8 rounded-lg shadow-lg">
|
||||
<div className="text-center mb-8">
|
||||
<h1 className="text-4xl font-extrabold text-pania-charcoal mb-2">PanIA</h1>
|
||||
<p className="text-pania-blue text-lg">Configuración Inicial</p>
|
||||
</div>
|
||||
|
||||
{/* Step Indicator */}
|
||||
<nav className="flex justify-center mb-8" aria-label="Progress">
|
||||
<ol role="list" className="space-y-4 sm:flex sm:space-x-8 sm:space-y-0">
|
||||
{steps.map((step, index) => (
|
||||
<li key={step.name} className="flex items-center">
|
||||
{currentStep > step.id || completedSteps.includes(step.id) ? (
|
||||
<div className="group flex flex-col items-center">
|
||||
<span className="flex h-10 w-10 items-center justify-center rounded-full bg-pania-blue group-hover:bg-pania-blue-dark">
|
||||
<CheckIcon className="h-6 w-6 text-white" aria-hidden="true" />
|
||||
</span>
|
||||
<span className="mt-2 text-sm font-medium text-pania-blue">{step.name}</span>
|
||||
</div>
|
||||
) : currentStep === step.id ? (
|
||||
<div className="flex flex-col items-center" aria-current="step">
|
||||
<span className="relative flex h-10 w-10 items-center justify-center rounded-full border-2 border-pania-blue">
|
||||
<span className="h-2.5 w-2.5 rounded-full bg-pania-blue" />
|
||||
</span>
|
||||
<span className="mt-2 text-sm font-medium text-pania-blue">{step.name}</span>
|
||||
</div>
|
||||
) : (
|
||||
<div className="group flex flex-col items-center">
|
||||
<span className="flex h-10 w-10 items-center justify-center rounded-full border-2 border-gray-300 group-hover:border-gray-400">
|
||||
<step.icon className="h-6 w-6 text-gray-500 group-hover:text-gray-900" aria-hidden="true" />
|
||||
</span>
|
||||
<span className="mt-2 text-sm font-medium text-gray-500 group-hover:text-gray-900">
|
||||
{step.name}
|
||||
</span>
|
||||
</div>
|
||||
)}
|
||||
</li>
|
||||
))}
|
||||
</ol>
|
||||
</nav>
|
||||
<div className="container mx-auto px-4 py-8">
|
||||
<div className="max-w-2xl mx-auto">
|
||||
<div className="text-center mb-8">
|
||||
<h1 className="text-3xl font-bold text-pania-charcoal">Configuración Inicial</h1>
|
||||
<p className="mt-2 text-gray-600">Configura tu cuenta y comienza a predecir la demanda</p>
|
||||
</div>
|
||||
|
||||
{/* Step Content */}
|
||||
<div className="mt-8 bg-gray-50 p-6 rounded-lg shadow-inner">
|
||||
<h2 className="text-2xl font-bold text-pania-charcoal mb-6 text-center">
|
||||
Paso {currentStep}: {currentStepData.name}
|
||||
</h2>
|
||||
{currentStepData.content}
|
||||
</div>
|
||||
{/* ORIGINAL DESIGN: Step Progress Indicator */}
|
||||
<nav aria-label="Progress" className="mb-8">
|
||||
<ol role="list" className="flex items-center justify-between">
|
||||
{steps.map((step, stepIdx) => (
|
||||
<li key={step.name} className="relative">
|
||||
{completedSteps.includes(step.id) ? (
|
||||
<div className="group flex flex-col items-center">
|
||||
<span className="flex h-10 w-10 items-center justify-center rounded-full bg-pania-blue group-hover:bg-pania-blue-dark">
|
||||
<CheckIcon className="h-6 w-6 text-white" aria-hidden="true" />
|
||||
</span>
|
||||
<span className="mt-2 text-sm font-medium text-pania-blue">{step.name}</span>
|
||||
</div>
|
||||
) : currentStep === step.id ? (
|
||||
<div className="flex flex-col items-center" aria-current="step">
|
||||
<span className="relative flex h-10 w-10 items-center justify-center rounded-full border-2 border-pania-blue">
|
||||
<span className="h-2.5 w-2.5 rounded-full bg-pania-blue" />
|
||||
</span>
|
||||
<span className="mt-2 text-sm font-medium text-pania-blue">{step.name}</span>
|
||||
</div>
|
||||
) : (
|
||||
<div className="group flex flex-col items-center">
|
||||
<span className="flex h-10 w-10 items-center justify-center rounded-full border-2 border-gray-300 group-hover:border-gray-400">
|
||||
<step.icon className="h-6 w-6 text-gray-500 group-hover:text-gray-900" aria-hidden="true" />
|
||||
</span>
|
||||
<span className="mt-2 text-sm font-medium text-gray-500 group-hover:text-gray-900">
|
||||
{step.name}
|
||||
</span>
|
||||
</div>
|
||||
)}
|
||||
</li>
|
||||
))}
|
||||
</ol>
|
||||
</nav>
|
||||
|
||||
{/* Navigation Buttons */}
|
||||
<div className="mt-8 flex justify-between">
|
||||
{currentStep > 1 && currentStep < 5 && (
|
||||
<button
|
||||
onClick={handleBack}
|
||||
disabled={loading}
|
||||
className={`inline-flex items-center px-4 py-2 border border-gray-300 shadow-sm text-sm font-medium rounded-md text-gray-700 bg-white hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-pania-blue ${loading ? 'opacity-50 cursor-not-allowed' : ''
|
||||
{/* ORIGINAL DESIGN: Step Content */}
|
||||
<div className="mt-8 bg-gray-50 p-6 rounded-lg shadow-inner">
|
||||
<h2 className="text-2xl font-bold text-pania-charcoal mb-6 text-center">
|
||||
Paso {currentStep}: {currentStepData.name}
|
||||
</h2>
|
||||
{currentStepData.content}
|
||||
</div>
|
||||
|
||||
{/* ORIGINAL DESIGN: Navigation Buttons */}
|
||||
<div className="mt-8 flex justify-between">
|
||||
{currentStep > 1 && currentStep < 5 && (
|
||||
<button
|
||||
onClick={handleBack}
|
||||
disabled={loading}
|
||||
className={`inline-flex items-center px-4 py-2 border border-gray-300 shadow-sm text-sm font-medium rounded-md text-gray-700 bg-white hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-pania-blue ${
|
||||
loading ? 'opacity-50 cursor-not-allowed' : ''
|
||||
}`}
|
||||
>
|
||||
<ArrowLeftIcon className="-ml-1 mr-2 h-5 w-5" aria-hidden="true" />
|
||||
Atrás
|
||||
</button>
|
||||
)}
|
||||
>
|
||||
<ArrowLeftIcon className="-ml-1 mr-2 h-5 w-5" aria-hidden="true" />
|
||||
Atrás
|
||||
</button>
|
||||
)}
|
||||
|
||||
{currentStep < 5 && (
|
||||
<button
|
||||
onClick={handleNext}
|
||||
disabled={loading || (currentStep === 3 && !formData.salesFile)}
|
||||
className={`inline-flex items-center px-4 py-2 border border-transparent shadow-sm text-sm font-medium rounded-md text-white bg-pania-blue hover:bg-pania-blue-dark focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-pania-blue ${loading || (currentStep === 3 && !formData.salesFile) ? 'opacity-50 cursor-not-allowed' : ''
|
||||
{currentStep < 5 && (
|
||||
<button
|
||||
onClick={handleNext}
|
||||
disabled={loading || (currentStep === 3 && !formData.salesFile)}
|
||||
className={`inline-flex items-center px-4 py-2 border border-transparent shadow-sm text-sm font-medium rounded-md text-white bg-pania-blue hover:bg-pania-blue-dark focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-pania-blue ${
|
||||
loading || (currentStep === 3 && !formData.salesFile) ? 'opacity-50 cursor-not-allowed' : ''
|
||||
} ${currentStep === 1 && !user ? '' : 'ml-auto'}`} // Align right if no back button
|
||||
>
|
||||
{loading ? (
|
||||
<div className="animate-spin rounded-full h-5 w-5 border-b-2 border-white mr-2"></div>
|
||||
) : (
|
||||
<>
|
||||
Siguiente
|
||||
<ArrowRightIcon className="-mr-1 ml-2 h-5 w-5" aria-hidden="true" />
|
||||
</>
|
||||
)}
|
||||
</button>
|
||||
)}
|
||||
>
|
||||
{loading ? (
|
||||
<div className="animate-spin rounded-full h-5 w-5 border-b-2 border-white mr-2"></div>
|
||||
) : (
|
||||
<>
|
||||
Siguiente
|
||||
<ArrowRightIcon className="-mr-1 ml-2 h-5 w-5" aria-hidden="true" />
|
||||
</>
|
||||
)}
|
||||
</button>
|
||||
)}
|
||||
|
||||
{currentStep === 5 && (
|
||||
<button
|
||||
onClick={handleSubmitFinal}
|
||||
disabled={loading}
|
||||
className={`flex items-center px-6 py-3 rounded-lg font-medium transition-colors ${loading
|
||||
? 'bg-gray-400 cursor-not-allowed'
|
||||
: 'bg-green-600 hover:bg-green-700'
|
||||
{currentStep === 5 && (
|
||||
<button
|
||||
onClick={handleSubmitFinal}
|
||||
disabled={loading}
|
||||
className={`flex items-center px-6 py-3 rounded-lg font-medium transition-colors ${
|
||||
loading
|
||||
? 'bg-gray-400 cursor-not-allowed'
|
||||
: 'bg-green-600 hover:bg-green-700'
|
||||
} text-white ml-auto`}
|
||||
>
|
||||
{loading ? (
|
||||
<div className="animate-spin rounded-full h-5 w-5 border-b-2 border-white mr-2"></div>
|
||||
) : (
|
||||
'Ir al Dashboard'
|
||||
)}
|
||||
{!loading && <ArrowRightIcon className="w-5 h-5 ml-2" />}
|
||||
</button>
|
||||
)}
|
||||
>
|
||||
{loading ? (
|
||||
<div className="animate-spin rounded-full h-5 w-5 border-b-2 border-white mr-2"></div>
|
||||
) : (
|
||||
'Ir al Dashboard'
|
||||
)}
|
||||
{!loading && <ArrowRightIcon className="w-5 h-5 ml-2" />}
|
||||
</button>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
Reference in New Issue
Block a user