2025-12-19 13:10:24 +01:00
|
|
|
|
import React, { useState, useEffect } from 'react';
|
2025-11-12 15:34:10 +01:00
|
|
|
|
import { Button, Input } from '../../../ui';
|
|
|
|
|
|
import { AddressAutocomplete } from '../../../ui/AddressAutocomplete';
|
2025-12-19 13:10:24 +01:00
|
|
|
|
import { useRegisterBakery, useTenant, useUpdateTenant } from '../../../../api/hooks/tenant';
|
|
|
|
|
|
import { BakeryRegistration, TenantUpdate } from '../../../../api/types/tenant';
|
2025-11-12 15:34:10 +01:00
|
|
|
|
import { AddressResult } from '../../../../services/api/geocodingApi';
|
|
|
|
|
|
import { useWizardContext } from '../context';
|
2025-11-12 14:48:46 +00:00
|
|
|
|
import { poiContextApi } from '../../../../services/api/poiContextApi';
|
2025-09-08 17:19:00 +02:00
|
|
|
|
|
|
|
|
|
|
interface RegisterTenantStepProps {
|
|
|
|
|
|
onNext: () => void;
|
|
|
|
|
|
onPrevious: () => void;
|
|
|
|
|
|
onComplete: (data?: any) => void;
|
|
|
|
|
|
isFirstStep: boolean;
|
|
|
|
|
|
isLastStep: boolean;
|
|
|
|
|
|
}
|
|
|
|
|
|
|
2025-12-18 13:26:32 +01:00
|
|
|
|
// Map bakeryType to business_model
|
|
|
|
|
|
const getBakeryBusinessModel = (bakeryType: string | null): string => {
|
|
|
|
|
|
switch (bakeryType) {
|
|
|
|
|
|
case 'production':
|
|
|
|
|
|
return 'central_baker_satellite'; // Production-focused bakery
|
|
|
|
|
|
case 'retail':
|
|
|
|
|
|
return 'retail_bakery'; // Retail/finishing bakery
|
|
|
|
|
|
case 'mixed':
|
|
|
|
|
|
return 'hybrid_bakery'; // Mixed model (enterprise or hybrid)
|
|
|
|
|
|
default:
|
|
|
|
|
|
return 'individual_bakery'; // Default fallback
|
|
|
|
|
|
}
|
|
|
|
|
|
};
|
|
|
|
|
|
|
2025-09-08 17:19:00 +02:00
|
|
|
|
export const RegisterTenantStep: React.FC<RegisterTenantStepProps> = ({
|
|
|
|
|
|
onComplete,
|
|
|
|
|
|
isFirstStep
|
|
|
|
|
|
}) => {
|
2025-11-12 15:34:10 +01:00
|
|
|
|
const wizardContext = useWizardContext();
|
2025-12-19 13:10:24 +01:00
|
|
|
|
const tenantId = wizardContext.state.tenantId;
|
2025-12-18 13:26:32 +01:00
|
|
|
|
|
|
|
|
|
|
// Check if user is enterprise tier for conditional labels
|
|
|
|
|
|
const subscriptionTier = localStorage.getItem('subscription_tier');
|
|
|
|
|
|
const isEnterprise = subscriptionTier === 'enterprise';
|
|
|
|
|
|
|
|
|
|
|
|
// Get business_model from wizard context's bakeryType
|
|
|
|
|
|
const businessModel = getBakeryBusinessModel(wizardContext.state.bakeryType);
|
|
|
|
|
|
|
2025-09-08 17:19:00 +02:00
|
|
|
|
const [formData, setFormData] = useState<BakeryRegistration>({
|
|
|
|
|
|
name: '',
|
|
|
|
|
|
address: '',
|
|
|
|
|
|
postal_code: '',
|
|
|
|
|
|
phone: '',
|
|
|
|
|
|
city: 'Madrid',
|
|
|
|
|
|
business_type: 'bakery',
|
2025-12-18 13:26:32 +01:00
|
|
|
|
business_model: businessModel
|
2025-09-08 17:19:00 +02:00
|
|
|
|
});
|
|
|
|
|
|
|
2025-12-19 13:10:24 +01:00
|
|
|
|
// Fetch existing tenant data if we have a tenantId (persistence)
|
|
|
|
|
|
const { data: existingTenant, isLoading: isLoadingTenant } = useTenant(tenantId || '');
|
|
|
|
|
|
|
|
|
|
|
|
// Update formData when existing tenant data is fetched
|
|
|
|
|
|
useEffect(() => {
|
|
|
|
|
|
if (existingTenant) {
|
|
|
|
|
|
console.log('🔄 Populating RegisterTenantStep with existing data:', existingTenant);
|
|
|
|
|
|
setFormData({
|
|
|
|
|
|
name: existingTenant.name,
|
|
|
|
|
|
address: existingTenant.address,
|
|
|
|
|
|
postal_code: existingTenant.postal_code,
|
|
|
|
|
|
phone: existingTenant.phone || '',
|
|
|
|
|
|
city: existingTenant.city,
|
|
|
|
|
|
business_type: existingTenant.business_type,
|
|
|
|
|
|
business_model: existingTenant.business_model || businessModel
|
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
|
|
// Update location in context if available from tenant
|
|
|
|
|
|
// Note: Backend might not store lat/lon directly in Tenant table in all versions,
|
|
|
|
|
|
// but if we had them or if we want to re-trigger geocoding, we'd handle it here.
|
|
|
|
|
|
}
|
|
|
|
|
|
}, [existingTenant, businessModel]);
|
|
|
|
|
|
|
2025-12-18 13:26:32 +01:00
|
|
|
|
// Update business_model when bakeryType changes in context
|
2025-12-19 13:10:24 +01:00
|
|
|
|
useEffect(() => {
|
2025-12-18 13:26:32 +01:00
|
|
|
|
const newBusinessModel = getBakeryBusinessModel(wizardContext.state.bakeryType);
|
|
|
|
|
|
if (newBusinessModel !== formData.business_model) {
|
|
|
|
|
|
setFormData(prev => ({
|
|
|
|
|
|
...prev,
|
|
|
|
|
|
business_model: newBusinessModel
|
|
|
|
|
|
}));
|
|
|
|
|
|
}
|
|
|
|
|
|
}, [wizardContext.state.bakeryType, formData.business_model]);
|
|
|
|
|
|
|
2025-09-08 17:19:00 +02:00
|
|
|
|
const [errors, setErrors] = useState<Record<string, string>>({});
|
|
|
|
|
|
const registerBakery = useRegisterBakery();
|
2025-12-19 13:10:24 +01:00
|
|
|
|
const updateTenant = useUpdateTenant();
|
2025-09-08 17:19:00 +02:00
|
|
|
|
|
|
|
|
|
|
const handleInputChange = (field: keyof BakeryRegistration, value: string) => {
|
|
|
|
|
|
setFormData(prev => ({
|
|
|
|
|
|
...prev,
|
|
|
|
|
|
[field]: value
|
|
|
|
|
|
}));
|
2025-10-15 16:12:49 +02:00
|
|
|
|
|
2025-09-08 17:19:00 +02:00
|
|
|
|
if (errors[field]) {
|
|
|
|
|
|
setErrors(prev => ({
|
|
|
|
|
|
...prev,
|
|
|
|
|
|
[field]: ''
|
|
|
|
|
|
}));
|
|
|
|
|
|
}
|
|
|
|
|
|
};
|
|
|
|
|
|
|
2025-11-12 15:34:10 +01:00
|
|
|
|
const handleAddressSelect = (address: AddressResult) => {
|
2025-10-15 16:12:49 +02:00
|
|
|
|
setFormData(prev => ({
|
|
|
|
|
|
...prev,
|
2025-11-12 15:34:10 +01:00
|
|
|
|
address: address.display_name,
|
|
|
|
|
|
city: address.address.city || address.address.municipality || address.address.suburb || prev.city,
|
|
|
|
|
|
postal_code: address.address.postcode || prev.postal_code,
|
2025-10-15 16:12:49 +02:00
|
|
|
|
}));
|
2025-11-12 15:34:10 +01:00
|
|
|
|
};
|
2025-10-15 16:12:49 +02:00
|
|
|
|
|
2025-11-12 15:34:10 +01:00
|
|
|
|
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 });
|
2025-10-15 16:12:49 +02:00
|
|
|
|
};
|
|
|
|
|
|
|
2025-09-08 17:19:00 +02:00
|
|
|
|
const validateForm = () => {
|
|
|
|
|
|
const newErrors: Record<string, string> = {};
|
|
|
|
|
|
|
|
|
|
|
|
// 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;
|
|
|
|
|
|
}
|
|
|
|
|
|
|
2025-12-19 13:10:24 +01:00
|
|
|
|
console.log('📝 Submitting tenant data:', {
|
|
|
|
|
|
isUpdate: !!tenantId,
|
2025-12-18 13:26:32 +01:00
|
|
|
|
bakeryType: wizardContext.state.bakeryType,
|
|
|
|
|
|
business_model: formData.business_model,
|
|
|
|
|
|
formData
|
|
|
|
|
|
});
|
|
|
|
|
|
|
2025-09-08 17:19:00 +02:00
|
|
|
|
try {
|
2025-12-19 13:10:24 +01:00
|
|
|
|
let tenant;
|
|
|
|
|
|
if (tenantId) {
|
|
|
|
|
|
// Update existing tenant
|
|
|
|
|
|
const updateData: TenantUpdate = {
|
|
|
|
|
|
name: formData.name,
|
|
|
|
|
|
address: formData.address,
|
|
|
|
|
|
phone: formData.phone,
|
|
|
|
|
|
business_type: formData.business_type,
|
|
|
|
|
|
business_model: formData.business_model
|
|
|
|
|
|
};
|
|
|
|
|
|
tenant = await updateTenant.mutateAsync({ tenantId, updateData });
|
|
|
|
|
|
console.log('✅ Tenant updated successfully:', tenant.id);
|
|
|
|
|
|
} else {
|
|
|
|
|
|
// Create new tenant
|
|
|
|
|
|
tenant = await registerBakery.mutateAsync(formData);
|
|
|
|
|
|
console.log('✅ Tenant registered successfully:', tenant.id);
|
|
|
|
|
|
}
|
2025-11-12 15:34:10 +01:00
|
|
|
|
|
2025-11-12 14:48:46 +00:00
|
|
|
|
// 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);
|
2025-11-14 07:23:56 +01:00
|
|
|
|
|
|
|
|
|
|
// Phase 3: Handle calendar suggestion if available
|
|
|
|
|
|
if (result.calendar_suggestion) {
|
|
|
|
|
|
const suggestion = result.calendar_suggestion;
|
|
|
|
|
|
console.log(`📊 Calendar suggestion available:`, {
|
|
|
|
|
|
calendar: suggestion.calendar_name,
|
|
|
|
|
|
confidence: `${suggestion.confidence_percentage}%`,
|
|
|
|
|
|
should_auto_assign: suggestion.should_auto_assign
|
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
|
|
// Store suggestion in wizard context for later use
|
|
|
|
|
|
// Frontend can show this in settings or a notification later
|
|
|
|
|
|
if (suggestion.confidence_percentage >= 75) {
|
|
|
|
|
|
console.log(`✅ High confidence suggestion: ${suggestion.calendar_name} (${suggestion.confidence_percentage}%)`);
|
|
|
|
|
|
// TODO: Show notification to admin about high-confidence suggestion
|
|
|
|
|
|
} else {
|
|
|
|
|
|
console.log(`📋 Lower confidence suggestion: ${suggestion.calendar_name} (${suggestion.confidence_percentage}%)`);
|
|
|
|
|
|
// TODO: Store for later review in settings
|
|
|
|
|
|
}
|
|
|
|
|
|
}
|
2025-11-12 14:48:46 +00:00
|
|
|
|
}).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
|
2025-11-12 15:34:10 +01:00
|
|
|
|
onComplete({
|
|
|
|
|
|
tenant,
|
|
|
|
|
|
tenantId: tenant.id,
|
|
|
|
|
|
bakeryLocation: wizardContext.state.bakeryLocation
|
|
|
|
|
|
});
|
2025-09-08 17:19:00 +02:00
|
|
|
|
} catch (error) {
|
|
|
|
|
|
console.error('Error registering bakery:', error);
|
|
|
|
|
|
setErrors({ submit: 'Error al registrar la panadería. Por favor, inténtalo de nuevo.' });
|
|
|
|
|
|
}
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
return (
|
2025-12-19 13:10:24 +01:00
|
|
|
|
<div className="space-y-6 md:space-y-8">
|
|
|
|
|
|
{/* Informational header */}
|
|
|
|
|
|
<div className="bg-gradient-to-r from-[var(--color-primary)]/10 to-[var(--color-primary)]/5 border-l-4 border-[var(--color-primary)] rounded-lg p-4 md:p-5">
|
|
|
|
|
|
<div className="flex items-start gap-3">
|
|
|
|
|
|
<div className="text-2xl flex-shrink-0">{isEnterprise ? '🏭' : '🏪'}</div>
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<h3 className="font-semibold text-[var(--text-primary)] mb-1">
|
|
|
|
|
|
{isEnterprise ? 'Registra tu Obrador Central' : 'Registra tu Panadería'}
|
|
|
|
|
|
</h3>
|
|
|
|
|
|
<p className="text-sm text-[var(--text-secondary)]">
|
|
|
|
|
|
{isEnterprise
|
|
|
|
|
|
? 'Ingresa los datos de tu obrador principal. Después podrás agregar las sucursales.'
|
|
|
|
|
|
: 'Completa la información básica de tu panadería para comenzar.'}
|
|
|
|
|
|
</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-5 md:gap-6">
|
|
|
|
|
|
<div className="transform transition-all duration-200 hover:scale-[1.01]">
|
|
|
|
|
|
<Input
|
|
|
|
|
|
label={isEnterprise ? "Nombre del Obrador Central" : "Nombre de la Panadería"}
|
|
|
|
|
|
placeholder={isEnterprise ? "Ingresa el nombre de tu obrador central" : "Ingresa el nombre de tu panadería"}
|
|
|
|
|
|
value={formData.name}
|
|
|
|
|
|
onChange={(e) => handleInputChange('name', e.target.value)}
|
|
|
|
|
|
error={errors.name}
|
|
|
|
|
|
isRequired
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="transform transition-all duration-200 hover:scale-[1.01]">
|
|
|
|
|
|
<Input
|
|
|
|
|
|
label="Teléfono"
|
|
|
|
|
|
type="tel"
|
|
|
|
|
|
placeholder="+34 123 456 789"
|
|
|
|
|
|
value={formData.phone}
|
|
|
|
|
|
onChange={(e) => handleInputChange('phone', e.target.value)}
|
|
|
|
|
|
error={errors.phone}
|
|
|
|
|
|
isRequired
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="md:col-span-2 transform transition-all duration-200 hover:scale-[1.01] relative z-20">
|
|
|
|
|
|
<label className="block text-sm font-semibold text-[var(--text-primary)] mb-2 flex items-center gap-2">
|
|
|
|
|
|
<span className="text-lg">📍</span>
|
2025-11-12 15:34:10 +01:00
|
|
|
|
Dirección <span className="text-red-500">*</span>
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<AddressAutocomplete
|
2025-09-08 17:19:00 +02:00
|
|
|
|
value={formData.address}
|
2025-12-18 13:26:32 +01:00
|
|
|
|
placeholder={isEnterprise ? "Dirección del obrador central..." : "Dirección de tu panadería..."}
|
2025-11-12 15:34:10 +01:00
|
|
|
|
onAddressSelect={(address) => {
|
|
|
|
|
|
console.log('Selected:', address.display_name);
|
|
|
|
|
|
handleAddressSelect(address);
|
2025-10-15 16:12:49 +02:00
|
|
|
|
}}
|
2025-11-12 15:34:10 +01:00
|
|
|
|
onCoordinatesChange={handleCoordinatesChange}
|
|
|
|
|
|
countryCode="es"
|
|
|
|
|
|
required
|
2025-09-08 17:19:00 +02:00
|
|
|
|
/>
|
2025-11-12 15:34:10 +01:00
|
|
|
|
{errors.address && (
|
2025-12-19 13:10:24 +01:00
|
|
|
|
<div className="mt-2 text-sm text-red-600 flex items-center gap-1.5 animate-shake">
|
|
|
|
|
|
<span>⚠️</span>
|
2025-11-12 15:34:10 +01:00
|
|
|
|
{errors.address}
|
2025-10-15 16:12:49 +02:00
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
2025-09-08 17:19:00 +02:00
|
|
|
|
</div>
|
|
|
|
|
|
|
2025-12-19 13:10:24 +01:00
|
|
|
|
<div className="transform transition-all duration-200 hover:scale-[1.01]">
|
|
|
|
|
|
<Input
|
|
|
|
|
|
label="Código Postal"
|
|
|
|
|
|
placeholder="28001"
|
|
|
|
|
|
value={formData.postal_code}
|
|
|
|
|
|
onChange={(e) => handleInputChange('postal_code', e.target.value)}
|
|
|
|
|
|
error={errors.postal_code}
|
|
|
|
|
|
isRequired
|
|
|
|
|
|
maxLength={5}
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="transform transition-all duration-200 hover:scale-[1.01]">
|
|
|
|
|
|
<Input
|
|
|
|
|
|
label="Ciudad (Opcional)"
|
|
|
|
|
|
placeholder="Madrid"
|
|
|
|
|
|
value={formData.city}
|
|
|
|
|
|
onChange={(e) => handleInputChange('city', e.target.value)}
|
|
|
|
|
|
error={errors.city}
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
2025-09-08 17:19:00 +02:00
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{errors.submit && (
|
2025-12-19 13:10:24 +01:00
|
|
|
|
<div className="bg-gradient-to-r from-[var(--color-error)]/10 to-[var(--color-error)]/5 border-l-4 border-[var(--color-error)] rounded-lg p-4 animate-shake">
|
|
|
|
|
|
<div className="flex items-start gap-3">
|
|
|
|
|
|
<span className="text-2xl flex-shrink-0">⚠️</span>
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<h4 className="font-semibold text-[var(--color-error)] mb-1">Error al registrar</h4>
|
|
|
|
|
|
<p className="text-sm text-[var(--text-secondary)]">{errors.submit}</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
2025-09-08 17:19:00 +02:00
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
2025-12-19 13:10:24 +01:00
|
|
|
|
<div className="flex justify-end pt-4 border-t-2 border-[var(--border-color)]/50">
|
2025-09-08 17:19:00 +02:00
|
|
|
|
<Button
|
|
|
|
|
|
onClick={handleSubmit}
|
2025-12-19 13:10:24 +01:00
|
|
|
|
isLoading={registerBakery.isPending || updateTenant.isPending}
|
|
|
|
|
|
loadingText={tenantId ? "Actualizando obrador..." : (isEnterprise ? "Registrando obrador..." : "Registrando...")}
|
2025-09-08 17:19:00 +02:00
|
|
|
|
size="lg"
|
2025-12-19 13:10:24 +01:00
|
|
|
|
className="w-full sm:w-auto sm:min-w-[280px] text-base font-semibold transform transition-all duration-300 hover:scale-105 shadow-lg"
|
2025-09-08 17:19:00 +02:00
|
|
|
|
>
|
2025-12-19 13:10:24 +01:00
|
|
|
|
{tenantId
|
|
|
|
|
|
? (isEnterprise ? "Actualizar Obrador Central y Continuar →" : "Actualizar Panadería y Continuar →")
|
|
|
|
|
|
: (isEnterprise ? "Crear Obrador Central y Continuar →" : "Crear Panadería y Continuar →")
|
|
|
|
|
|
}
|
2025-09-08 17:19:00 +02:00
|
|
|
|
</Button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
);
|
|
|
|
|
|
};
|