Files
bakery-ia/frontend/src/components/domain/onboarding/steps/RegisterTenantStep.tsx

394 lines
16 KiB
TypeScript
Raw Normal View History

2025-12-19 13:10:24 +01:00
import React, { useState, useEffect } from 'react';
2025-12-25 18:59:56 +01:00
import { useTranslation } from 'react-i18next';
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';
import { AddressResult } from '../../../../services/api/geocodingApi';
import { useWizardContext } from '../context';
feat: Improve onboarding wizard UI, UX and dark mode support This commit implements multiple improvements to the onboarding wizard: **1. Unified UI Components:** - Created InfoCard component for consistent "why is important" blocks across all steps - Created TemplateCard component for consistent template displays - Both components use global CSS variables for proper dark mode support **2. Initial Stock Entry Step Improvements:** - Fixed title/subtitle positioning using unified InfoCard component - Fixed missing count bug in warning message (now uses {{count}} interpolation) - Fixed dark mode colors using CSS variables (--color-success, --color-info, etc.) - Changed next button title from "completar configuración" to "Continuar →" - Implemented stock creation API call using useAddStock hook - Products with stock now properly save to backend on step completion **3. Dark Mode Fixes:** - Fixed QualitySetupStep: Enhanced button selection visibility with rings and shadows - Fixed TeamSetupStep: Enhanced role selection visibility with rings and shadows - Fixed AddressAutocomplete: Replaced all hardcoded colors with CSS variables - All dropdown results, icons, and hover states now properly adapt to dark mode **4. Streamlined Wizard Flow:** - Removed POI Detection step from wizard (step previously added complexity) - POI detection now runs automatically in background after tenant registration - Non-blocking approach ensures users aren't delayed by POI detection - Removed Revision step (setup-review) as it adds no user value - Completion step is now the final step before dashboard **5. Backend Updates:** - Updated onboarding_progress.py to remove poi-detection from ONBOARDING_STEPS - Updated onboarding_progress.py to remove setup-review from ONBOARDING_STEPS - Updated step dependencies to reflect streamlined flow - POI detection documented as automatic background process All changes maintain backward compatibility and use proper TypeScript types.
2025-11-12 14:48:46 +00:00
import { poiContextApi } from '../../../../services/api/poiContextApi';
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
}
};
export const RegisterTenantStep: React.FC<RegisterTenantStepProps> = ({
onComplete,
isFirstStep
}) => {
2025-12-25 18:59:56 +01:00
const { t } = useTranslation();
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);
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-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]);
const [errors, setErrors] = useState<Record<string, string>>({});
const registerBakery = useRegisterBakery();
2025-12-19 13:10:24 +01:00
const updateTenant = useUpdateTenant();
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<string, string> = {};
// Required fields according to backend BakeryRegistration schema
if (!formData.name.trim()) {
2025-12-25 18:59:56 +01:00
newErrors.name = t('onboarding:steps.tenant_registration.validation.name_required');
} else if (formData.name.length < 2 || formData.name.length > 200) {
2025-12-25 18:59:56 +01:00
newErrors.name = t('onboarding:steps.tenant_registration.validation.name_length');
}
if (!formData.address.trim()) {
2025-12-25 18:59:56 +01:00
newErrors.address = t('onboarding:steps.tenant_registration.validation.address_required');
} else if (formData.address.length < 10 || formData.address.length > 500) {
2025-12-25 18:59:56 +01:00
newErrors.address = t('onboarding:steps.tenant_registration.validation.address_length');
}
if (!formData.postal_code.trim()) {
2025-12-25 18:59:56 +01:00
newErrors.postal_code = t('onboarding:steps.tenant_registration.validation.postal_code_required');
} else if (!/^\d{5}$/.test(formData.postal_code)) {
2025-12-25 18:59:56 +01:00
newErrors.postal_code = t('onboarding:steps.tenant_registration.validation.postal_code_format');
}
if (!formData.phone.trim()) {
2025-12-25 18:59:56 +01:00
newErrors.phone = t('onboarding:steps.tenant_registration.validation.phone_required');
} else if (formData.phone.length < 9 || formData.phone.length > 20) {
2025-12-25 18:59:56 +01:00
newErrors.phone = t('onboarding:steps.tenant_registration.validation.phone_length');
} 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))) {
2025-12-25 18:59:56 +01:00
newErrors.phone = t('onboarding:steps.tenant_registration.validation.phone_format');
}
}
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
});
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);
}
feat: Improve onboarding wizard UI, UX and dark mode support This commit implements multiple improvements to the onboarding wizard: **1. Unified UI Components:** - Created InfoCard component for consistent "why is important" blocks across all steps - Created TemplateCard component for consistent template displays - Both components use global CSS variables for proper dark mode support **2. Initial Stock Entry Step Improvements:** - Fixed title/subtitle positioning using unified InfoCard component - Fixed missing count bug in warning message (now uses {{count}} interpolation) - Fixed dark mode colors using CSS variables (--color-success, --color-info, etc.) - Changed next button title from "completar configuración" to "Continuar →" - Implemented stock creation API call using useAddStock hook - Products with stock now properly save to backend on step completion **3. Dark Mode Fixes:** - Fixed QualitySetupStep: Enhanced button selection visibility with rings and shadows - Fixed TeamSetupStep: Enhanced role selection visibility with rings and shadows - Fixed AddressAutocomplete: Replaced all hardcoded colors with CSS variables - All dropdown results, icons, and hover states now properly adapt to dark mode **4. Streamlined Wizard Flow:** - Removed POI Detection step from wizard (step previously added complexity) - POI detection now runs automatically in background after tenant registration - Non-blocking approach ensures users aren't delayed by POI detection - Removed Revision step (setup-review) as it adds no user value - Completion step is now the final step before dashboard **5. Backend Updates:** - Updated onboarding_progress.py to remove poi-detection from ONBOARDING_STEPS - Updated onboarding_progress.py to remove setup-review from ONBOARDING_STEPS - Updated step dependencies to reflect streamlined flow - POI detection documented as automatic background process All changes maintain backward compatibility and use proper TypeScript types.
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
}
}
feat: Improve onboarding wizard UI, UX and dark mode support This commit implements multiple improvements to the onboarding wizard: **1. Unified UI Components:** - Created InfoCard component for consistent "why is important" blocks across all steps - Created TemplateCard component for consistent template displays - Both components use global CSS variables for proper dark mode support **2. Initial Stock Entry Step Improvements:** - Fixed title/subtitle positioning using unified InfoCard component - Fixed missing count bug in warning message (now uses {{count}} interpolation) - Fixed dark mode colors using CSS variables (--color-success, --color-info, etc.) - Changed next button title from "completar configuración" to "Continuar →" - Implemented stock creation API call using useAddStock hook - Products with stock now properly save to backend on step completion **3. Dark Mode Fixes:** - Fixed QualitySetupStep: Enhanced button selection visibility with rings and shadows - Fixed TeamSetupStep: Enhanced role selection visibility with rings and shadows - Fixed AddressAutocomplete: Replaced all hardcoded colors with CSS variables - All dropdown results, icons, and hover states now properly adapt to dark mode **4. Streamlined Wizard Flow:** - Removed POI Detection step from wizard (step previously added complexity) - POI detection now runs automatically in background after tenant registration - Non-blocking approach ensures users aren't delayed by POI detection - Removed Revision step (setup-review) as it adds no user value - Completion step is now the final step before dashboard **5. Backend Updates:** - Updated onboarding_progress.py to remove poi-detection from ONBOARDING_STEPS - Updated onboarding_progress.py to remove setup-review from ONBOARDING_STEPS - Updated step dependencies to reflect streamlined flow - POI detection documented as automatic background process All changes maintain backward compatibility and use proper TypeScript types.
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
onComplete({
tenant,
tenantId: tenant.id,
bakeryLocation: wizardContext.state.bakeryLocation
});
} catch (error) {
console.error('Error registering bakery:', error);
2025-12-25 18:59:56 +01:00
setErrors({ submit: t('onboarding:steps.tenant_registration.errors.register') });
}
};
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">
2025-12-25 18:59:56 +01:00
{t(isEnterprise
? 'onboarding:steps.tenant_registration.header.title_enterprise'
: 'onboarding:steps.tenant_registration.header.title'
)}
2025-12-19 13:10:24 +01:00
</h3>
<p className="text-sm text-[var(--text-secondary)]">
2025-12-25 18:59:56 +01:00
{t(isEnterprise
? 'onboarding:steps.tenant_registration.header.description_enterprise'
: 'onboarding:steps.tenant_registration.header.description'
)}
2025-12-19 13:10:24 +01:00
</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
2025-12-25 18:59:56 +01:00
label={t(isEnterprise
? 'onboarding:steps.tenant_registration.fields.business_name_enterprise'
: 'onboarding:steps.tenant_registration.fields.business_name'
)}
placeholder={t(isEnterprise
? 'onboarding:steps.tenant_registration.placeholders.business_name_enterprise'
: 'onboarding:steps.tenant_registration.placeholders.business_name'
)}
2025-12-19 13:10:24 +01:00
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
2025-12-25 18:59:56 +01:00
label={t('onboarding:steps.tenant_registration.fields.phone')}
2025-12-19 13:10:24 +01:00
type="tel"
2025-12-25 18:59:56 +01:00
placeholder={t('onboarding:steps.tenant_registration.placeholders.phone')}
2025-12-19 13:10:24 +01:00
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-12-25 18:59:56 +01:00
{t('onboarding:steps.tenant_registration.fields.address')} <span className="text-red-500">*</span>
</label>
<AddressAutocomplete
value={formData.address}
2025-12-25 18:59:56 +01:00
placeholder={t(isEnterprise
? 'onboarding:steps.tenant_registration.placeholders.address_enterprise'
: 'onboarding:steps.tenant_registration.placeholders.address'
)}
onAddressSelect={(address) => {
console.log('Selected:', address.display_name);
handleAddressSelect(address);
}}
onCoordinatesChange={handleCoordinatesChange}
countryCode="es"
required
/>
{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>
{errors.address}
</div>
)}
</div>
2025-12-19 13:10:24 +01:00
<div className="transform transition-all duration-200 hover:scale-[1.01]">
<Input
2025-12-25 18:59:56 +01:00
label={t('onboarding:steps.tenant_registration.fields.postal_code')}
placeholder={t('onboarding:steps.tenant_registration.placeholders.postal_code')}
2025-12-19 13:10:24 +01:00
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
2025-12-25 18:59:56 +01:00
label={t('onboarding:steps.tenant_registration.fields.city')}
placeholder={t('onboarding:steps.tenant_registration.placeholders.city')}
2025-12-19 13:10:24 +01:00
value={formData.city}
onChange={(e) => handleInputChange('city', e.target.value)}
error={errors.city}
/>
</div>
</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>
2025-12-25 18:59:56 +01:00
<h4 className="font-semibold text-[var(--color-error)] mb-1">
{t('onboarding:steps.tenant_registration.errors.register_title')}
</h4>
2025-12-19 13:10:24 +01:00
<p className="text-sm text-[var(--text-secondary)]">{errors.submit}</p>
</div>
</div>
</div>
)}
2025-12-19 13:10:24 +01:00
<div className="flex justify-end pt-4 border-t-2 border-[var(--border-color)]/50">
<Button
onClick={handleSubmit}
2025-12-19 13:10:24 +01:00
isLoading={registerBakery.isPending || updateTenant.isPending}
2025-12-25 18:59:56 +01:00
loadingText={t(tenantId
? 'onboarding:steps.tenant_registration.loading.updating'
: (isEnterprise
? 'onboarding:steps.tenant_registration.loading.creating_enterprise'
: 'onboarding:steps.tenant_registration.loading.creating'
)
)}
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-12-25 18:59:56 +01:00
{t(tenantId
? (isEnterprise
? 'onboarding:steps.tenant_registration.buttons.update_enterprise'
: 'onboarding:steps.tenant_registration.buttons.update'
)
: (isEnterprise
? 'onboarding:steps.tenant_registration.buttons.create_enterprise'
: 'onboarding:steps.tenant_registration.buttons.create'
)
)}
</Button>
</div>
</div>
);
};