import React, { useState } from 'react'; import { Button, Input } from '../../../ui'; import { AddressAutocomplete } from '../../../ui/AddressAutocomplete'; import { useRegisterBakery } from '../../../../api/hooks/tenant'; import { BakeryRegistration } from '../../../../api/types/tenant'; import { AddressResult } from '../../../../services/api/geocodingApi'; import { useWizardContext } from '../context'; import { poiContextApi } from '../../../../services/api/poiContextApi'; interface RegisterTenantStepProps { onNext: () => void; onPrevious: () => void; onComplete: (data?: any) => void; isFirstStep: boolean; isLastStep: boolean; } export const RegisterTenantStep: React.FC = ({ onComplete, isFirstStep }) => { const wizardContext = useWizardContext(); const [formData, setFormData] = useState({ name: '', address: '', postal_code: '', phone: '', city: 'Madrid', business_type: 'bakery', business_model: 'individual_bakery' }); const [errors, setErrors] = useState>({}); const registerBakery = useRegisterBakery(); const handleInputChange = (field: keyof BakeryRegistration, value: string) => { setFormData(prev => ({ ...prev, [field]: value })); if (errors[field]) { setErrors(prev => ({ ...prev, [field]: '' })); } }; const handleAddressSelect = (address: AddressResult) => { setFormData(prev => ({ ...prev, address: address.display_name, city: address.address.city || address.address.municipality || address.address.suburb || prev.city, postal_code: address.address.postcode || prev.postal_code, })); }; const handleCoordinatesChange = (lat: number, lon: number) => { // Store coordinates in the wizard context immediately // This allows the POI detection step to access location information when it's available wizardContext.updateLocation({ latitude: lat, longitude: lon }); console.log('Coordinates captured and stored:', { latitude: lat, longitude: lon }); }; const validateForm = () => { const newErrors: Record = {}; // Required fields according to backend BakeryRegistration schema if (!formData.name.trim()) { newErrors.name = 'El nombre de la panadería es obligatorio'; } else if (formData.name.length < 2 || formData.name.length > 200) { newErrors.name = 'El nombre debe tener entre 2 y 200 caracteres'; } if (!formData.address.trim()) { newErrors.address = 'La dirección es obligatoria'; } else if (formData.address.length < 10 || formData.address.length > 500) { newErrors.address = 'La dirección debe tener entre 10 y 500 caracteres'; } if (!formData.postal_code.trim()) { newErrors.postal_code = 'El código postal es obligatorio'; } else if (!/^\d{5}$/.test(formData.postal_code)) { newErrors.postal_code = 'El código postal debe tener exactamente 5 dígitos'; } if (!formData.phone.trim()) { newErrors.phone = 'El número de teléfono es obligatorio'; } else if (formData.phone.length < 9 || formData.phone.length > 20) { newErrors.phone = 'El teléfono debe tener entre 9 y 20 caracteres'; } else { // Basic Spanish phone validation const phone = formData.phone.replace(/[\s\-\(\)]/g, ''); const patterns = [ /^(\+34|0034|34)?[6789]\d{8}$/, // Mobile /^(\+34|0034|34)?9\d{8}$/ // Landline ]; if (!patterns.some(pattern => pattern.test(phone))) { newErrors.phone = 'Introduce un número de teléfono español válido'; } } setErrors(newErrors); return Object.keys(newErrors).length === 0; }; const handleSubmit = async () => { if (!validateForm()) { return; } try { const tenant = await registerBakery.mutateAsync(formData); // Trigger POI detection in the background (non-blocking) // This replaces the removed POI Detection step const bakeryLocation = wizardContext.state.bakeryLocation; if (bakeryLocation?.latitude && bakeryLocation?.longitude && tenant.id) { // Run POI detection asynchronously without blocking the wizard flow poiContextApi.detectPOIs( tenant.id, bakeryLocation.latitude, bakeryLocation.longitude, false // use_cache = false for initial detection ).then((result) => { console.log(`✅ POI detection completed automatically for tenant ${tenant.id}:`, result.summary); }).catch((error) => { console.warn('⚠️ Background POI detection failed (non-blocking):', error); // This is non-critical, so we don't block the user }); } // Update the wizard context with tenant info onComplete({ tenant, tenantId: tenant.id, bakeryLocation: wizardContext.state.bakeryLocation }); } catch (error) { console.error('Error registering bakery:', error); setErrors({ submit: 'Error al registrar la panadería. Por favor, inténtalo de nuevo.' }); } }; return (
handleInputChange('name', e.target.value)} error={errors.name} isRequired /> handleInputChange('phone', e.target.value)} error={errors.phone} isRequired />
{ console.log('Selected:', address.display_name); handleAddressSelect(address); }} onCoordinatesChange={handleCoordinatesChange} countryCode="es" required /> {errors.address && (
{errors.address}
)}
handleInputChange('postal_code', e.target.value)} error={errors.postal_code} isRequired maxLength={5} /> handleInputChange('city', e.target.value)} error={errors.city} />
{errors.submit && (
{errors.submit}
)}
); };