2025-11-09 09:48:17 +00:00
|
|
|
|
import React, { useState, useEffect } from 'react';
|
2025-11-09 08:48:21 +00:00
|
|
|
|
import { WizardStep, WizardStepProps } from '../../../ui/WizardModal/WizardModal';
|
|
|
|
|
|
import {
|
|
|
|
|
|
Users,
|
|
|
|
|
|
Plus,
|
|
|
|
|
|
Package,
|
|
|
|
|
|
Truck,
|
|
|
|
|
|
CreditCard,
|
|
|
|
|
|
Search,
|
|
|
|
|
|
CheckCircle2,
|
|
|
|
|
|
Calendar,
|
|
|
|
|
|
MapPin,
|
2025-11-09 09:48:17 +00:00
|
|
|
|
Loader2,
|
2025-11-09 08:48:21 +00:00
|
|
|
|
} from 'lucide-react';
|
2025-11-09 09:48:17 +00:00
|
|
|
|
import { useTenant } from '../../../../stores/tenant.store';
|
|
|
|
|
|
import OrdersService from '../../../../api/services/orders';
|
|
|
|
|
|
import { inventoryService } from '../../../../api/services/inventory';
|
2025-11-09 21:22:41 +00:00
|
|
|
|
import { showToast } from '../../../../utils/toast';
|
2025-11-09 09:48:17 +00:00
|
|
|
|
import {
|
|
|
|
|
|
CustomerCreate,
|
|
|
|
|
|
CustomerType,
|
|
|
|
|
|
DeliveryMethod,
|
|
|
|
|
|
PaymentTerms,
|
|
|
|
|
|
CustomerSegment,
|
|
|
|
|
|
PriorityLevel,
|
|
|
|
|
|
OrderCreate,
|
|
|
|
|
|
OrderItemCreate,
|
|
|
|
|
|
OrderType,
|
|
|
|
|
|
OrderSource,
|
|
|
|
|
|
SalesChannel,
|
|
|
|
|
|
PaymentMethod,
|
|
|
|
|
|
} from '../../../../api/types/orders';
|
|
|
|
|
|
import { ProductType } from '../../../../api/types/inventory';
|
2025-11-09 08:48:21 +00:00
|
|
|
|
|
|
|
|
|
|
interface WizardDataProps extends WizardStepProps {
|
|
|
|
|
|
data: Record<string, any>;
|
|
|
|
|
|
onDataChange: (data: Record<string, any>) => void;
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
// Step 1: Customer Selection
|
|
|
|
|
|
const CustomerSelectionStep: React.FC<WizardDataProps> = ({ data, onDataChange, onNext }) => {
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const { currentTenant } = useTenant();
|
2025-11-09 08:48:21 +00:00
|
|
|
|
const [searchQuery, setSearchQuery] = useState('');
|
|
|
|
|
|
const [showNewCustomerForm, setShowNewCustomerForm] = useState(false);
|
|
|
|
|
|
const [selectedCustomer, setSelectedCustomer] = useState(data.customer || null);
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const [customers, setCustomers] = useState<any[]>([]);
|
|
|
|
|
|
const [loading, setLoading] = useState(false);
|
|
|
|
|
|
const [error, setError] = useState<string | null>(null);
|
|
|
|
|
|
const [creatingCustomer, setCreatingCustomer] = useState(false);
|
2025-11-09 08:48:21 +00:00
|
|
|
|
|
|
|
|
|
|
const [newCustomer, setNewCustomer] = useState({
|
|
|
|
|
|
name: '',
|
2025-11-09 09:48:17 +00:00
|
|
|
|
type: CustomerType.BUSINESS,
|
2025-11-09 08:48:21 +00:00
|
|
|
|
phone: '',
|
|
|
|
|
|
email: '',
|
|
|
|
|
|
});
|
|
|
|
|
|
|
2025-11-09 09:48:17 +00:00
|
|
|
|
useEffect(() => {
|
|
|
|
|
|
fetchCustomers();
|
|
|
|
|
|
}, []);
|
|
|
|
|
|
|
|
|
|
|
|
const fetchCustomers = async () => {
|
|
|
|
|
|
if (!currentTenant?.id) return;
|
|
|
|
|
|
|
|
|
|
|
|
setLoading(true);
|
|
|
|
|
|
setError(null);
|
|
|
|
|
|
|
|
|
|
|
|
try {
|
|
|
|
|
|
const result = await OrdersService.getCustomers({
|
|
|
|
|
|
tenant_id: currentTenant.id,
|
|
|
|
|
|
active_only: true,
|
|
|
|
|
|
});
|
|
|
|
|
|
setCustomers(result);
|
|
|
|
|
|
} catch (err: any) {
|
|
|
|
|
|
console.error('Error loading customers:', err);
|
|
|
|
|
|
setError('Error al cargar clientes');
|
|
|
|
|
|
} finally {
|
|
|
|
|
|
setLoading(false);
|
|
|
|
|
|
}
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
const filteredCustomers = customers.filter((customer) =>
|
2025-11-09 08:48:21 +00:00
|
|
|
|
customer.name.toLowerCase().includes(searchQuery.toLowerCase())
|
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
|
|
const handleSelectCustomer = (customer: any) => {
|
|
|
|
|
|
setSelectedCustomer(customer);
|
|
|
|
|
|
setShowNewCustomerForm(false);
|
|
|
|
|
|
};
|
|
|
|
|
|
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const handleContinue = async () => {
|
|
|
|
|
|
if (!currentTenant?.id) {
|
|
|
|
|
|
setError('No se pudo obtener información del tenant');
|
|
|
|
|
|
return;
|
|
|
|
|
|
}
|
|
|
|
|
|
|
2025-11-09 08:48:21 +00:00
|
|
|
|
if (showNewCustomerForm) {
|
2025-11-09 09:48:17 +00:00
|
|
|
|
// Create new customer via API
|
|
|
|
|
|
setCreatingCustomer(true);
|
|
|
|
|
|
setError(null);
|
|
|
|
|
|
|
|
|
|
|
|
try {
|
|
|
|
|
|
const customerData: CustomerCreate = {
|
|
|
|
|
|
tenant_id: currentTenant.id,
|
|
|
|
|
|
customer_code: `CUST-${Date.now()}`,
|
|
|
|
|
|
name: newCustomer.name,
|
|
|
|
|
|
customer_type: newCustomer.type,
|
|
|
|
|
|
phone: newCustomer.phone,
|
|
|
|
|
|
email: newCustomer.email,
|
|
|
|
|
|
country: 'ES',
|
|
|
|
|
|
is_active: true,
|
|
|
|
|
|
preferred_delivery_method: DeliveryMethod.DELIVERY,
|
|
|
|
|
|
payment_terms: PaymentTerms.IMMEDIATE,
|
|
|
|
|
|
discount_percentage: 0,
|
|
|
|
|
|
customer_segment: CustomerSegment.REGULAR,
|
|
|
|
|
|
priority_level: PriorityLevel.NORMAL,
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
const createdCustomer = await OrdersService.createCustomer(customerData);
|
2025-11-09 21:22:41 +00:00
|
|
|
|
showToast.success('Cliente creado exitosamente');
|
2025-11-09 09:48:17 +00:00
|
|
|
|
onDataChange({ ...data, customer: createdCustomer, isNewCustomer: true });
|
|
|
|
|
|
onNext();
|
|
|
|
|
|
} catch (err: any) {
|
|
|
|
|
|
console.error('Error creating customer:', err);
|
2025-11-09 21:22:41 +00:00
|
|
|
|
const errorMessage = err.response?.data?.detail || 'Error al crear el cliente';
|
|
|
|
|
|
setError(errorMessage);
|
|
|
|
|
|
showToast.error(errorMessage);
|
2025-11-09 09:48:17 +00:00
|
|
|
|
} finally {
|
|
|
|
|
|
setCreatingCustomer(false);
|
|
|
|
|
|
}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
} else {
|
|
|
|
|
|
onDataChange({ ...data, customer: selectedCustomer, isNewCustomer: false });
|
2025-11-09 09:48:17 +00:00
|
|
|
|
onNext();
|
2025-11-09 08:48:21 +00:00
|
|
|
|
}
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
return (
|
|
|
|
|
|
<div className="space-y-6">
|
|
|
|
|
|
<div className="text-center pb-4 border-b border-[var(--border-primary)]">
|
|
|
|
|
|
<Users className="w-12 h-12 mx-auto mb-3 text-[var(--color-primary)]" />
|
|
|
|
|
|
<h3 className="text-lg font-semibold text-[var(--text-primary)] mb-2">
|
|
|
|
|
|
¿Para quién es este pedido?
|
|
|
|
|
|
</h3>
|
|
|
|
|
|
<p className="text-sm text-[var(--text-secondary)]">
|
|
|
|
|
|
Busca un cliente existente o crea uno nuevo
|
|
|
|
|
|
</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{error && (
|
|
|
|
|
|
<div className="p-3 bg-red-50 border border-red-200 rounded-lg text-red-700 text-sm">
|
|
|
|
|
|
{error}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
|
|
|
|
|
{loading ? (
|
|
|
|
|
|
<div className="flex items-center justify-center py-12">
|
|
|
|
|
|
<Loader2 className="w-8 h-8 animate-spin text-[var(--color-primary)]" />
|
|
|
|
|
|
<span className="ml-3 text-[var(--text-secondary)]">Cargando clientes...</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
) : !showNewCustomerForm ? (
|
2025-11-09 08:48:21 +00:00
|
|
|
|
<>
|
|
|
|
|
|
{/* Search Bar */}
|
|
|
|
|
|
<div className="relative">
|
|
|
|
|
|
<Search className="absolute left-3 top-1/2 -translate-y-1/2 w-5 h-5 text-[var(--text-tertiary)]" />
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="text"
|
|
|
|
|
|
value={searchQuery}
|
|
|
|
|
|
onChange={(e) => setSearchQuery(e.target.value)}
|
|
|
|
|
|
placeholder="Buscar cliente por nombre..."
|
|
|
|
|
|
className="w-full pl-10 pr-4 py-3 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Customer List */}
|
2025-11-09 21:42:10 +00:00
|
|
|
|
<div className="space-y-3 max-h-96 overflow-y-auto pr-2">
|
|
|
|
|
|
{filteredCustomers.length === 0 ? (
|
|
|
|
|
|
<div className="text-center py-8 border-2 border-dashed border-[var(--border-secondary)] rounded-lg">
|
|
|
|
|
|
<Users className="w-12 h-12 mx-auto mb-3 text-[var(--text-tertiary)]" />
|
|
|
|
|
|
<p className="text-[var(--text-secondary)] mb-1">No se encontraron clientes</p>
|
|
|
|
|
|
<p className="text-sm text-[var(--text-tertiary)]">Intenta con otro término de búsqueda</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
) : (
|
|
|
|
|
|
filteredCustomers.map((customer) => (
|
|
|
|
|
|
<button
|
|
|
|
|
|
key={customer.id}
|
|
|
|
|
|
onClick={() => handleSelectCustomer(customer)}
|
|
|
|
|
|
className={`w-full p-4 rounded-xl border-2 transition-all text-left group hover:shadow-md ${
|
|
|
|
|
|
selectedCustomer?.id === customer.id
|
|
|
|
|
|
? 'border-[var(--color-primary)] bg-gradient-to-r from-[var(--color-primary)]/10 to-[var(--color-primary)]/5 shadow-sm'
|
|
|
|
|
|
: 'border-[var(--border-secondary)] hover:border-[var(--color-primary)]/50 hover:bg-[var(--bg-secondary)]/30'
|
|
|
|
|
|
}`}
|
|
|
|
|
|
>
|
|
|
|
|
|
<div className="flex items-start gap-3">
|
|
|
|
|
|
{/* Customer Avatar */}
|
|
|
|
|
|
<div className={`w-12 h-12 rounded-full flex items-center justify-center flex-shrink-0 transition-colors ${
|
|
|
|
|
|
selectedCustomer?.id === customer.id
|
|
|
|
|
|
? 'bg-[var(--color-primary)] text-white'
|
|
|
|
|
|
: 'bg-[var(--bg-tertiary)] text-[var(--text-tertiary)] group-hover:bg-[var(--color-primary)]/20 group-hover:text-[var(--color-primary)]'
|
|
|
|
|
|
}`}>
|
|
|
|
|
|
<Users className="w-6 h-6" />
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Customer Info */}
|
|
|
|
|
|
<div className="flex-1 min-w-0">
|
|
|
|
|
|
<div className="flex items-center gap-2 mb-1">
|
|
|
|
|
|
<h4 className={`font-semibold truncate transition-colors ${
|
|
|
|
|
|
selectedCustomer?.id === customer.id
|
|
|
|
|
|
? 'text-[var(--color-primary)]'
|
|
|
|
|
|
: 'text-[var(--text-primary)]'
|
|
|
|
|
|
}`}>
|
|
|
|
|
|
{customer.name}
|
|
|
|
|
|
</h4>
|
|
|
|
|
|
{selectedCustomer?.id === customer.id && (
|
|
|
|
|
|
<CheckCircle2 className="w-5 h-5 text-[var(--color-primary)] flex-shrink-0" />
|
|
|
|
|
|
)}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="flex flex-wrap items-center gap-2 text-sm text-[var(--text-secondary)]">
|
|
|
|
|
|
{/* Customer Type Badge */}
|
|
|
|
|
|
<span className={`px-2 py-0.5 rounded-full text-xs font-medium ${
|
|
|
|
|
|
customer.customer_type === 'wholesale'
|
|
|
|
|
|
? 'bg-purple-100 text-purple-700 dark:bg-purple-900/30 dark:text-purple-300'
|
|
|
|
|
|
: customer.customer_type === 'restaurant'
|
|
|
|
|
|
? 'bg-orange-100 text-orange-700 dark:bg-orange-900/30 dark:text-orange-300'
|
|
|
|
|
|
: customer.customer_type === 'event'
|
|
|
|
|
|
? 'bg-pink-100 text-pink-700 dark:bg-pink-900/30 dark:text-pink-300'
|
|
|
|
|
|
: 'bg-blue-100 text-blue-700 dark:bg-blue-900/30 dark:text-blue-300'
|
|
|
|
|
|
}`}>
|
|
|
|
|
|
{customer.customer_type === 'wholesale' ? 'Mayorista' :
|
|
|
|
|
|
customer.customer_type === 'restaurant' ? 'Restaurante' :
|
|
|
|
|
|
customer.customer_type === 'event' ? 'Eventos' : 'Minorista'}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Phone */}
|
|
|
|
|
|
{customer.phone && (
|
|
|
|
|
|
<span className="flex items-center gap-1">
|
|
|
|
|
|
📱 {customer.phone}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
|
|
|
|
|
{/* Email */}
|
|
|
|
|
|
{customer.email && (
|
|
|
|
|
|
<span className="flex items-center gap-1 truncate">
|
|
|
|
|
|
✉️ {customer.email}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
)}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Additional Info */}
|
|
|
|
|
|
{(customer.city || customer.payment_terms) && (
|
|
|
|
|
|
<div className="flex items-center gap-3 mt-2 text-xs text-[var(--text-tertiary)]">
|
|
|
|
|
|
{customer.city && (
|
|
|
|
|
|
<span className="flex items-center gap-1">
|
|
|
|
|
|
<MapPin className="w-3 h-3" />
|
|
|
|
|
|
{customer.city}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
)}
|
|
|
|
|
|
{customer.payment_terms && (
|
|
|
|
|
|
<span className="flex items-center gap-1">
|
|
|
|
|
|
<CreditCard className="w-3 h-3" />
|
|
|
|
|
|
{customer.payment_terms === 'immediate' ? 'Pago inmediato' :
|
|
|
|
|
|
customer.payment_terms === 'net_15' ? 'Net 15' :
|
|
|
|
|
|
customer.payment_terms === 'net_30' ? 'Net 30' : customer.payment_terms}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
)}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
</div>
|
2025-11-09 08:48:21 +00:00
|
|
|
|
</div>
|
2025-11-09 21:42:10 +00:00
|
|
|
|
</button>
|
|
|
|
|
|
))
|
|
|
|
|
|
)}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Create New Customer Button */}
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={() => setShowNewCustomerForm(true)}
|
|
|
|
|
|
className="w-full p-4 border-2 border-dashed border-[var(--border-secondary)] rounded-lg hover:border-[var(--color-primary)] transition-colors text-[var(--text-secondary)] hover:text-[var(--color-primary)] flex items-center justify-center gap-2"
|
|
|
|
|
|
>
|
|
|
|
|
|
<Plus className="w-5 h-5" />
|
|
|
|
|
|
<span className="font-medium">Crear nuevo cliente</span>
|
|
|
|
|
|
</button>
|
|
|
|
|
|
</>
|
|
|
|
|
|
) : (
|
|
|
|
|
|
<>
|
|
|
|
|
|
{/* New Customer Form */}
|
|
|
|
|
|
<div className="p-4 bg-[var(--bg-secondary)]/30 rounded-lg border border-[var(--border-secondary)]">
|
|
|
|
|
|
<h4 className="font-semibold text-[var(--text-primary)] mb-4 flex items-center gap-2">
|
|
|
|
|
|
<Plus className="w-5 h-5" />
|
|
|
|
|
|
Nuevo Cliente
|
|
|
|
|
|
</h4>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
|
|
|
|
|
|
<div className="md:col-span-2">
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Nombre del Cliente *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="text"
|
|
|
|
|
|
value={newCustomer.name}
|
|
|
|
|
|
onChange={(e) => setNewCustomer({ ...newCustomer, name: e.target.value })}
|
|
|
|
|
|
placeholder="Ej: Restaurante El Molino"
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Tipo de Cliente *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<select
|
|
|
|
|
|
value={newCustomer.type}
|
|
|
|
|
|
onChange={(e) => setNewCustomer({ ...newCustomer, type: e.target.value })}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
>
|
|
|
|
|
|
<option value="retail">Minorista</option>
|
|
|
|
|
|
<option value="wholesale">Mayorista</option>
|
|
|
|
|
|
<option value="event">Eventos</option>
|
|
|
|
|
|
<option value="restaurant">Restaurante</option>
|
|
|
|
|
|
</select>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Teléfono *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="tel"
|
|
|
|
|
|
value={newCustomer.phone}
|
|
|
|
|
|
onChange={(e) => setNewCustomer({ ...newCustomer, phone: e.target.value })}
|
|
|
|
|
|
placeholder="+34 123 456 789"
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="md:col-span-2">
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Email (Opcional)
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="email"
|
|
|
|
|
|
value={newCustomer.email}
|
|
|
|
|
|
onChange={(e) => setNewCustomer({ ...newCustomer, email: e.target.value })}
|
|
|
|
|
|
placeholder="contacto@restaurante.com"
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={() => setShowNewCustomerForm(false)}
|
|
|
|
|
|
className="mt-4 text-sm text-[var(--text-secondary)] hover:text-[var(--text-primary)]"
|
|
|
|
|
|
>
|
|
|
|
|
|
← Volver a la lista de clientes
|
|
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
|
|
|
|
|
{/* Continue Button */}
|
|
|
|
|
|
<div className="flex justify-end pt-4 border-t border-[var(--border-primary)]">
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={handleContinue}
|
2025-11-09 09:48:17 +00:00
|
|
|
|
disabled={
|
|
|
|
|
|
creatingCustomer ||
|
|
|
|
|
|
loading ||
|
|
|
|
|
|
(!selectedCustomer && (!showNewCustomerForm || !newCustomer.name || !newCustomer.phone))
|
|
|
|
|
|
}
|
|
|
|
|
|
className="px-6 py-2.5 bg-[var(--color-primary)] text-white rounded-lg hover:bg-[var(--color-primary)]/90 disabled:opacity-50 disabled:cursor-not-allowed transition-colors inline-flex items-center gap-2"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
>
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{creatingCustomer && <Loader2 className="w-4 h-4 animate-spin" />}
|
|
|
|
|
|
{creatingCustomer ? 'Creando cliente...' : 'Continuar'}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
);
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
// Step 2: Order Items
|
|
|
|
|
|
const OrderItemsStep: React.FC<WizardDataProps> = ({ data, onDataChange, onNext }) => {
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const { currentTenant } = useTenant();
|
2025-11-09 08:48:21 +00:00
|
|
|
|
const [orderItems, setOrderItems] = useState(data.orderItems || []);
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const [products, setProducts] = useState<any[]>([]);
|
|
|
|
|
|
const [loading, setLoading] = useState(false);
|
|
|
|
|
|
const [error, setError] = useState<string | null>(null);
|
|
|
|
|
|
|
|
|
|
|
|
useEffect(() => {
|
|
|
|
|
|
fetchProducts();
|
|
|
|
|
|
}, []);
|
|
|
|
|
|
|
|
|
|
|
|
const fetchProducts = async () => {
|
|
|
|
|
|
if (!currentTenant?.id) return;
|
|
|
|
|
|
|
|
|
|
|
|
setLoading(true);
|
|
|
|
|
|
setError(null);
|
|
|
|
|
|
|
|
|
|
|
|
try {
|
|
|
|
|
|
const allIngredients = await inventoryService.getIngredients(currentTenant.id);
|
|
|
|
|
|
// Filter for finished products only
|
|
|
|
|
|
const finishedProducts = allIngredients.filter(
|
|
|
|
|
|
(ingredient) => ingredient.product_type === ProductType.FINISHED_PRODUCT
|
|
|
|
|
|
);
|
|
|
|
|
|
setProducts(finishedProducts);
|
|
|
|
|
|
} catch (err: any) {
|
|
|
|
|
|
console.error('Error loading products:', err);
|
|
|
|
|
|
setError('Error al cargar productos');
|
|
|
|
|
|
} finally {
|
|
|
|
|
|
setLoading(false);
|
|
|
|
|
|
}
|
|
|
|
|
|
};
|
2025-11-09 08:48:21 +00:00
|
|
|
|
|
|
|
|
|
|
const handleAddItem = () => {
|
|
|
|
|
|
setOrderItems([
|
|
|
|
|
|
...orderItems,
|
|
|
|
|
|
{ id: Date.now(), productId: '', productName: '', quantity: 1, unitPrice: 0, customRequirements: '', subtotal: 0 },
|
|
|
|
|
|
]);
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
const handleUpdateItem = (index: number, field: string, value: any) => {
|
|
|
|
|
|
const updated = orderItems.map((item: any, i: number) => {
|
|
|
|
|
|
if (i === index) {
|
|
|
|
|
|
const newItem = { ...item, [field]: value };
|
|
|
|
|
|
|
|
|
|
|
|
// If product selected, update price and name
|
|
|
|
|
|
if (field === 'productId') {
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const product = products.find((p) => p.id === value);
|
2025-11-09 08:48:21 +00:00
|
|
|
|
if (product) {
|
|
|
|
|
|
newItem.productName = product.name;
|
2025-11-09 09:48:17 +00:00
|
|
|
|
newItem.unitPrice = product.average_cost || product.last_purchase_price || 0;
|
|
|
|
|
|
newItem.unitOfMeasure = product.unit_of_measure;
|
2025-11-09 08:48:21 +00:00
|
|
|
|
}
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
// Auto-calculate subtotal
|
|
|
|
|
|
if (field === 'quantity' || field === 'unitPrice' || field === 'productId') {
|
|
|
|
|
|
newItem.subtotal = (newItem.quantity || 0) * (newItem.unitPrice || 0);
|
|
|
|
|
|
}
|
|
|
|
|
|
return newItem;
|
|
|
|
|
|
}
|
|
|
|
|
|
return item;
|
|
|
|
|
|
});
|
|
|
|
|
|
setOrderItems(updated);
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
const handleRemoveItem = (index: number) => {
|
|
|
|
|
|
setOrderItems(orderItems.filter((_: any, i: number) => i !== index));
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
const calculateTotal = () => {
|
|
|
|
|
|
return orderItems.reduce((sum: number, item: any) => sum + (item.subtotal || 0), 0);
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
const handleContinue = () => {
|
|
|
|
|
|
onDataChange({ ...data, orderItems, totalAmount: calculateTotal() });
|
|
|
|
|
|
onNext();
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
return (
|
|
|
|
|
|
<div className="space-y-6">
|
|
|
|
|
|
<div className="text-center pb-4 border-b border-[var(--border-primary)]">
|
|
|
|
|
|
<Package className="w-12 h-12 mx-auto mb-3 text-[var(--color-primary)]" />
|
|
|
|
|
|
<h3 className="text-lg font-semibold text-[var(--text-primary)] mb-2">
|
|
|
|
|
|
¿Qué productos incluye el pedido?
|
|
|
|
|
|
</h3>
|
|
|
|
|
|
<p className="text-sm text-[var(--text-secondary)]">
|
|
|
|
|
|
Cliente: <span className="font-semibold">{data.customer?.name}</span>
|
|
|
|
|
|
</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{error && (
|
|
|
|
|
|
<div className="p-3 bg-red-50 border border-red-200 rounded-lg text-red-700 text-sm">
|
|
|
|
|
|
{error}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
|
|
|
|
|
{loading ? (
|
|
|
|
|
|
<div className="flex items-center justify-center py-12">
|
|
|
|
|
|
<Loader2 className="w-8 h-8 animate-spin text-[var(--color-primary)]" />
|
|
|
|
|
|
<span className="ml-3 text-[var(--text-secondary)]">Cargando productos...</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
) : (
|
|
|
|
|
|
<>
|
|
|
|
|
|
{/* Order Items */}
|
|
|
|
|
|
<div className="space-y-3">
|
2025-11-09 08:48:21 +00:00
|
|
|
|
<div className="flex items-center justify-between">
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)]">
|
|
|
|
|
|
Productos del Pedido
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={handleAddItem}
|
|
|
|
|
|
className="px-3 py-1.5 text-sm bg-[var(--color-primary)] text-white rounded-md hover:bg-[var(--color-primary)]/90 transition-colors flex items-center gap-1"
|
|
|
|
|
|
>
|
|
|
|
|
|
<Plus className="w-4 h-4" />
|
|
|
|
|
|
Agregar Producto
|
|
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{orderItems.length === 0 ? (
|
|
|
|
|
|
<div className="text-center py-12 border-2 border-dashed border-[var(--border-secondary)] rounded-lg text-[var(--text-tertiary)]">
|
|
|
|
|
|
<Package className="w-12 h-12 mx-auto mb-3 opacity-50" />
|
|
|
|
|
|
<p className="mb-2">No hay productos en el pedido</p>
|
|
|
|
|
|
<p className="text-sm">Haz clic en "Agregar Producto" para comenzar</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
) : (
|
|
|
|
|
|
<div className="space-y-3">
|
|
|
|
|
|
{orderItems.map((item: any, index: number) => (
|
|
|
|
|
|
<div
|
|
|
|
|
|
key={item.id}
|
|
|
|
|
|
className="p-4 border border-[var(--border-secondary)] rounded-lg bg-[var(--bg-secondary)]/30 space-y-3"
|
|
|
|
|
|
>
|
|
|
|
|
|
<div className="flex items-center justify-between">
|
|
|
|
|
|
<span className="text-sm font-semibold text-[var(--text-primary)]">
|
|
|
|
|
|
Producto #{index + 1}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={() => handleRemoveItem(index)}
|
|
|
|
|
|
className="p-1 text-red-500 hover:text-red-700 transition-colors"
|
|
|
|
|
|
>
|
|
|
|
|
|
✕
|
|
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-3">
|
|
|
|
|
|
<div className="md:col-span-2">
|
|
|
|
|
|
<label className="block text-xs font-medium text-[var(--text-secondary)] mb-1">
|
|
|
|
|
|
Producto *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<select
|
|
|
|
|
|
value={item.productId}
|
|
|
|
|
|
onChange={(e) => handleUpdateItem(index, 'productId', e.target.value)}
|
|
|
|
|
|
className="w-full px-3 py-2 text-sm border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)]"
|
|
|
|
|
|
>
|
|
|
|
|
|
<option value="">Seleccionar producto...</option>
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{products.map((product) => (
|
2025-11-09 08:48:21 +00:00
|
|
|
|
<option key={product.id} value={product.id}>
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{product.name} - €{(product.average_cost || product.last_purchase_price || 0).toFixed(2)} / {product.unit_of_measure}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
</option>
|
|
|
|
|
|
))}
|
|
|
|
|
|
</select>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-xs font-medium text-[var(--text-secondary)] mb-1">
|
|
|
|
|
|
Cantidad *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="number"
|
|
|
|
|
|
value={item.quantity}
|
|
|
|
|
|
onChange={(e) => handleUpdateItem(index, 'quantity', parseFloat(e.target.value) || 0)}
|
|
|
|
|
|
className="w-full px-3 py-2 text-sm border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)]"
|
|
|
|
|
|
min="0"
|
|
|
|
|
|
step="1"
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-xs font-medium text-[var(--text-secondary)] mb-1">
|
|
|
|
|
|
Precio Unitario (€)
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="number"
|
|
|
|
|
|
value={item.unitPrice}
|
|
|
|
|
|
onChange={(e) => handleUpdateItem(index, 'unitPrice', parseFloat(e.target.value) || 0)}
|
|
|
|
|
|
className="w-full px-3 py-2 text-sm border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)]"
|
|
|
|
|
|
min="0"
|
|
|
|
|
|
step="0.01"
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="md:col-span-2">
|
|
|
|
|
|
<label className="block text-xs font-medium text-[var(--text-secondary)] mb-1">
|
|
|
|
|
|
Requisitos Especiales (Opcional)
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="text"
|
|
|
|
|
|
value={item.customRequirements}
|
|
|
|
|
|
onChange={(e) => handleUpdateItem(index, 'customRequirements', e.target.value)}
|
|
|
|
|
|
placeholder="Ej: Sin nueces, extra chocolate..."
|
|
|
|
|
|
className="w-full px-3 py-2 text-sm border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)]"
|
|
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div className="pt-2 border-t border-[var(--border-primary)] text-sm">
|
|
|
|
|
|
<span className="font-semibold text-[var(--text-primary)]">
|
|
|
|
|
|
Subtotal: €{item.subtotal.toFixed(2)}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
))}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
|
|
|
|
|
{/* Total */}
|
|
|
|
|
|
{orderItems.length > 0 && (
|
|
|
|
|
|
<div className="p-4 bg-gradient-to-r from-[var(--color-primary)]/5 to-[var(--color-primary)]/10 rounded-lg border-2 border-[var(--color-primary)]/20">
|
|
|
|
|
|
<div className="flex justify-between items-center">
|
|
|
|
|
|
<span className="text-lg font-semibold text-[var(--text-primary)]">Total del Pedido:</span>
|
|
|
|
|
|
<span className="text-2xl font-bold text-[var(--color-primary)]">
|
|
|
|
|
|
€{calculateTotal().toFixed(2)}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
</div>
|
2025-11-09 09:48:17 +00:00
|
|
|
|
</>
|
|
|
|
|
|
)}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
|
|
|
|
|
|
{/* Continue Button */}
|
|
|
|
|
|
<div className="flex justify-end pt-4 border-t border-[var(--border-primary)]">
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={handleContinue}
|
2025-11-09 09:48:17 +00:00
|
|
|
|
disabled={loading || orderItems.length === 0}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
className="px-6 py-2.5 bg-[var(--color-primary)] text-white rounded-lg hover:bg-[var(--color-primary)]/90 disabled:opacity-50 disabled:cursor-not-allowed transition-colors"
|
|
|
|
|
|
>
|
|
|
|
|
|
Continuar
|
|
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
);
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
// Step 3: Delivery & Payment
|
|
|
|
|
|
const DeliveryPaymentStep: React.FC<WizardDataProps> = ({ data, onDataChange, onComplete }) => {
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const { currentTenant } = useTenant();
|
|
|
|
|
|
const [loading, setLoading] = useState(false);
|
|
|
|
|
|
const [error, setError] = useState<string | null>(null);
|
2025-11-09 08:48:21 +00:00
|
|
|
|
const [deliveryData, setDeliveryData] = useState({
|
|
|
|
|
|
deliveryDate: data.deliveryDate || '',
|
|
|
|
|
|
deliveryTime: data.deliveryTime || '',
|
|
|
|
|
|
deliveryMethod: data.deliveryMethod || 'pickup',
|
|
|
|
|
|
deliveryAddress: data.deliveryAddress || '',
|
|
|
|
|
|
paymentMethod: data.paymentMethod || 'invoice',
|
|
|
|
|
|
specialInstructions: data.specialInstructions || '',
|
|
|
|
|
|
orderStatus: data.orderStatus || 'pending',
|
|
|
|
|
|
});
|
|
|
|
|
|
|
2025-11-09 09:48:17 +00:00
|
|
|
|
const handleConfirm = async () => {
|
|
|
|
|
|
if (!currentTenant?.id) {
|
|
|
|
|
|
setError('No se pudo obtener información del tenant');
|
|
|
|
|
|
return;
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
setLoading(true);
|
|
|
|
|
|
setError(null);
|
|
|
|
|
|
|
|
|
|
|
|
try {
|
|
|
|
|
|
// Map UI delivery method to API enum
|
|
|
|
|
|
const deliveryMethodMap: Record<string, DeliveryMethod> = {
|
|
|
|
|
|
pickup: DeliveryMethod.PICKUP,
|
|
|
|
|
|
delivery: DeliveryMethod.DELIVERY,
|
|
|
|
|
|
shipping: DeliveryMethod.DELIVERY,
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
// Map UI payment method to API enum
|
|
|
|
|
|
const paymentMethodMap: Record<string, PaymentMethod> = {
|
|
|
|
|
|
cash: PaymentMethod.CASH,
|
|
|
|
|
|
card: PaymentMethod.CARD,
|
|
|
|
|
|
transfer: PaymentMethod.BANK_TRANSFER,
|
|
|
|
|
|
invoice: PaymentMethod.ACCOUNT,
|
|
|
|
|
|
'invoice-30': PaymentMethod.ACCOUNT,
|
|
|
|
|
|
paid: PaymentMethod.CARD,
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
// Map UI payment method to payment terms
|
|
|
|
|
|
const paymentTermsMap: Record<string, PaymentTerms> = {
|
|
|
|
|
|
cash: PaymentTerms.IMMEDIATE,
|
|
|
|
|
|
card: PaymentTerms.IMMEDIATE,
|
|
|
|
|
|
transfer: PaymentTerms.IMMEDIATE,
|
|
|
|
|
|
invoice: PaymentTerms.NET_30,
|
|
|
|
|
|
'invoice-30': PaymentTerms.NET_30,
|
|
|
|
|
|
paid: PaymentTerms.IMMEDIATE,
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
// Prepare order items
|
|
|
|
|
|
const orderItems: OrderItemCreate[] = data.orderItems.map((item: any) => ({
|
|
|
|
|
|
product_id: item.productId,
|
|
|
|
|
|
product_name: item.productName,
|
|
|
|
|
|
quantity: item.quantity,
|
|
|
|
|
|
unit_of_measure: item.unitOfMeasure || 'unit',
|
|
|
|
|
|
unit_price: item.unitPrice,
|
|
|
|
|
|
line_discount: 0,
|
|
|
|
|
|
customization_details: item.customRequirements || undefined,
|
|
|
|
|
|
special_instructions: item.customRequirements || undefined,
|
|
|
|
|
|
}));
|
|
|
|
|
|
|
|
|
|
|
|
// Prepare delivery address
|
|
|
|
|
|
const deliveryAddress = (deliveryData.deliveryMethod === 'delivery' || deliveryData.deliveryMethod === 'shipping')
|
|
|
|
|
|
? { address: deliveryData.deliveryAddress }
|
|
|
|
|
|
: undefined;
|
|
|
|
|
|
|
|
|
|
|
|
// Create order data
|
|
|
|
|
|
const orderData: OrderCreate = {
|
|
|
|
|
|
tenant_id: currentTenant.id,
|
|
|
|
|
|
customer_id: data.customer.id,
|
|
|
|
|
|
order_type: OrderType.STANDARD,
|
|
|
|
|
|
priority: PriorityLevel.NORMAL,
|
|
|
|
|
|
requested_delivery_date: deliveryData.deliveryDate,
|
|
|
|
|
|
delivery_method: deliveryMethodMap[deliveryData.deliveryMethod],
|
|
|
|
|
|
delivery_address: deliveryAddress,
|
|
|
|
|
|
delivery_instructions: deliveryData.specialInstructions || undefined,
|
|
|
|
|
|
discount_percentage: 0,
|
|
|
|
|
|
delivery_fee: 0,
|
|
|
|
|
|
payment_method: paymentMethodMap[deliveryData.paymentMethod],
|
|
|
|
|
|
payment_terms: paymentTermsMap[deliveryData.paymentMethod],
|
|
|
|
|
|
special_instructions: deliveryData.specialInstructions || undefined,
|
|
|
|
|
|
order_source: OrderSource.MANUAL,
|
|
|
|
|
|
sales_channel: SalesChannel.DIRECT,
|
|
|
|
|
|
items: orderItems,
|
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
await OrdersService.createOrder(orderData);
|
|
|
|
|
|
|
2025-11-09 21:22:41 +00:00
|
|
|
|
showToast.success('Pedido creado exitosamente');
|
2025-11-09 09:48:17 +00:00
|
|
|
|
onDataChange({ ...data, ...deliveryData });
|
|
|
|
|
|
onComplete();
|
|
|
|
|
|
} catch (err: any) {
|
|
|
|
|
|
console.error('Error creating order:', err);
|
2025-11-09 21:22:41 +00:00
|
|
|
|
const errorMessage = err.response?.data?.detail || 'Error al crear el pedido';
|
|
|
|
|
|
setError(errorMessage);
|
|
|
|
|
|
showToast.error(errorMessage);
|
2025-11-09 09:48:17 +00:00
|
|
|
|
} finally {
|
|
|
|
|
|
setLoading(false);
|
|
|
|
|
|
}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
|
|
return (
|
|
|
|
|
|
<div className="space-y-6">
|
|
|
|
|
|
<div className="text-center pb-4 border-b border-[var(--border-primary)]">
|
|
|
|
|
|
<Truck className="w-12 h-12 mx-auto mb-3 text-[var(--color-primary)]" />
|
|
|
|
|
|
<h3 className="text-lg font-semibold text-[var(--text-primary)] mb-2">
|
|
|
|
|
|
Entrega y Pago
|
|
|
|
|
|
</h3>
|
|
|
|
|
|
<p className="text-sm text-[var(--text-secondary)]">
|
|
|
|
|
|
Configura los detalles de entrega y forma de pago
|
|
|
|
|
|
</p>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{error && (
|
|
|
|
|
|
<div className="p-3 bg-red-50 border border-red-200 rounded-lg text-red-700 text-sm">
|
|
|
|
|
|
{error}
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
2025-11-09 08:48:21 +00:00
|
|
|
|
<div className="space-y-4">
|
|
|
|
|
|
{/* Delivery Date & Time */}
|
|
|
|
|
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
<Calendar className="w-4 h-4 inline mr-1.5" />
|
|
|
|
|
|
Fecha de Entrega *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="date"
|
|
|
|
|
|
value={deliveryData.deliveryDate}
|
|
|
|
|
|
onChange={(e) => setDeliveryData({ ...deliveryData, deliveryDate: e.target.value })}
|
|
|
|
|
|
min={new Date().toISOString().split('T')[0]}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Hora de Entrega
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<input
|
|
|
|
|
|
type="time"
|
|
|
|
|
|
value={deliveryData.deliveryTime}
|
|
|
|
|
|
onChange={(e) => setDeliveryData({ ...deliveryData, deliveryTime: e.target.value })}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Delivery Method */}
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
<Truck className="w-4 h-4 inline mr-1.5" />
|
|
|
|
|
|
Método de Entrega *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<div className="grid grid-cols-1 md:grid-cols-3 gap-3">
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={() => setDeliveryData({ ...deliveryData, deliveryMethod: 'pickup' })}
|
|
|
|
|
|
className={`p-3 rounded-lg border-2 transition-all ${
|
|
|
|
|
|
deliveryData.deliveryMethod === 'pickup'
|
|
|
|
|
|
? 'border-[var(--color-primary)] bg-[var(--color-primary)]/5'
|
|
|
|
|
|
: 'border-[var(--border-secondary)]'
|
|
|
|
|
|
}`}
|
|
|
|
|
|
>
|
|
|
|
|
|
<p className="font-semibold text-sm">Recogida</p>
|
|
|
|
|
|
<p className="text-xs text-[var(--text-tertiary)]">Cliente recoge</p>
|
|
|
|
|
|
</button>
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={() => setDeliveryData({ ...deliveryData, deliveryMethod: 'delivery' })}
|
|
|
|
|
|
className={`p-3 rounded-lg border-2 transition-all ${
|
|
|
|
|
|
deliveryData.deliveryMethod === 'delivery'
|
|
|
|
|
|
? 'border-[var(--color-primary)] bg-[var(--color-primary)]/5'
|
|
|
|
|
|
: 'border-[var(--border-secondary)]'
|
|
|
|
|
|
}`}
|
|
|
|
|
|
>
|
|
|
|
|
|
<p className="font-semibold text-sm">Entrega</p>
|
|
|
|
|
|
<p className="text-xs text-[var(--text-tertiary)]">Envío a domicilio</p>
|
|
|
|
|
|
</button>
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={() => setDeliveryData({ ...deliveryData, deliveryMethod: 'shipping' })}
|
|
|
|
|
|
className={`p-3 rounded-lg border-2 transition-all ${
|
|
|
|
|
|
deliveryData.deliveryMethod === 'shipping'
|
|
|
|
|
|
? 'border-[var(--color-primary)] bg-[var(--color-primary)]/5'
|
|
|
|
|
|
: 'border-[var(--border-secondary)]'
|
|
|
|
|
|
}`}
|
|
|
|
|
|
>
|
|
|
|
|
|
<p className="font-semibold text-sm">Envío</p>
|
|
|
|
|
|
<p className="text-xs text-[var(--text-tertiary)]">Mensajería</p>
|
|
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Delivery Address (conditional) */}
|
|
|
|
|
|
{(deliveryData.deliveryMethod === 'delivery' || deliveryData.deliveryMethod === 'shipping') && (
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
<MapPin className="w-4 h-4 inline mr-1.5" />
|
|
|
|
|
|
Dirección de Entrega *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<textarea
|
|
|
|
|
|
value={deliveryData.deliveryAddress}
|
|
|
|
|
|
onChange={(e) => setDeliveryData({ ...deliveryData, deliveryAddress: e.target.value })}
|
|
|
|
|
|
placeholder="Calle, número, piso, código postal, ciudad..."
|
|
|
|
|
|
rows={3}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
)}
|
|
|
|
|
|
|
|
|
|
|
|
{/* Payment Method */}
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
<CreditCard className="w-4 h-4 inline mr-1.5" />
|
|
|
|
|
|
Método de Pago *
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<select
|
|
|
|
|
|
value={deliveryData.paymentMethod}
|
|
|
|
|
|
onChange={(e) => setDeliveryData({ ...deliveryData, paymentMethod: e.target.value })}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
>
|
|
|
|
|
|
<option value="cash">Efectivo</option>
|
|
|
|
|
|
<option value="card">Tarjeta</option>
|
|
|
|
|
|
<option value="transfer">Transferencia</option>
|
|
|
|
|
|
<option value="invoice">Factura (Net 15)</option>
|
|
|
|
|
|
<option value="invoice-30">Factura (Net 30)</option>
|
|
|
|
|
|
<option value="paid">Ya Pagado</option>
|
|
|
|
|
|
</select>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Order Status */}
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Estado del Pedido
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<select
|
|
|
|
|
|
value={deliveryData.orderStatus}
|
|
|
|
|
|
onChange={(e) => setDeliveryData({ ...deliveryData, orderStatus: e.target.value })}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
>
|
|
|
|
|
|
<option value="pending">Pendiente</option>
|
|
|
|
|
|
<option value="confirmed">Confirmado</option>
|
|
|
|
|
|
<option value="in-progress">En Producción</option>
|
|
|
|
|
|
</select>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Special Instructions */}
|
|
|
|
|
|
<div>
|
|
|
|
|
|
<label className="block text-sm font-medium text-[var(--text-secondary)] mb-2">
|
|
|
|
|
|
Instrucciones Especiales (Opcional)
|
|
|
|
|
|
</label>
|
|
|
|
|
|
<textarea
|
|
|
|
|
|
value={deliveryData.specialInstructions}
|
|
|
|
|
|
onChange={(e) => setDeliveryData({ ...deliveryData, specialInstructions: e.target.value })}
|
|
|
|
|
|
placeholder="Notas sobre el pedido, preferencias de entrega, etc..."
|
|
|
|
|
|
rows={3}
|
2025-11-09 21:25:36 +00:00
|
|
|
|
className="w-full px-3 py-2 border border-[var(--border-secondary)] rounded-lg focus:outline-none focus:ring-2 focus:ring-[var(--color-primary)] bg-[var(--bg-primary)] text-[var(--text-primary)]"
|
2025-11-09 08:48:21 +00:00
|
|
|
|
/>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Order Summary */}
|
|
|
|
|
|
<div className="p-4 bg-[var(--bg-secondary)]/50 rounded-lg border border-[var(--border-secondary)]">
|
|
|
|
|
|
<h4 className="font-semibold text-[var(--text-primary)] mb-3">Resumen del Pedido</h4>
|
|
|
|
|
|
<div className="space-y-2 text-sm">
|
|
|
|
|
|
<div className="flex justify-between">
|
|
|
|
|
|
<span className="text-[var(--text-secondary)]">Cliente:</span>
|
|
|
|
|
|
<span className="font-medium">{data.customer?.name}</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
<div className="flex justify-between">
|
|
|
|
|
|
<span className="text-[var(--text-secondary)]">Productos:</span>
|
|
|
|
|
|
<span className="font-medium">{data.orderItems?.length || 0} items</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
<div className="flex justify-between">
|
|
|
|
|
|
<span className="text-[var(--text-secondary)]">Total:</span>
|
|
|
|
|
|
<span className="font-semibold text-lg text-[var(--color-primary)]">
|
|
|
|
|
|
€{data.totalAmount?.toFixed(2)}
|
|
|
|
|
|
</span>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
|
|
|
|
|
|
{/* Confirm Button */}
|
|
|
|
|
|
<div className="flex justify-end gap-3 pt-4 border-t border-[var(--border-primary)]">
|
|
|
|
|
|
<button
|
|
|
|
|
|
onClick={handleConfirm}
|
2025-11-09 09:48:17 +00:00
|
|
|
|
disabled={
|
|
|
|
|
|
loading ||
|
|
|
|
|
|
!deliveryData.deliveryDate ||
|
|
|
|
|
|
(deliveryData.deliveryMethod !== 'pickup' && !deliveryData.deliveryAddress)
|
|
|
|
|
|
}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
className="px-8 py-3 bg-green-600 text-white rounded-lg hover:bg-green-700 disabled:opacity-50 disabled:cursor-not-allowed transition-colors font-semibold inline-flex items-center gap-2"
|
|
|
|
|
|
>
|
2025-11-09 09:48:17 +00:00
|
|
|
|
{loading ? (
|
|
|
|
|
|
<>
|
|
|
|
|
|
<Loader2 className="w-5 h-5 animate-spin" />
|
|
|
|
|
|
Creando pedido...
|
|
|
|
|
|
</>
|
|
|
|
|
|
) : (
|
|
|
|
|
|
<>
|
|
|
|
|
|
<CheckCircle2 className="w-5 h-5" />
|
|
|
|
|
|
Confirmar Pedido
|
|
|
|
|
|
</>
|
|
|
|
|
|
)}
|
2025-11-09 08:48:21 +00:00
|
|
|
|
</button>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
</div>
|
|
|
|
|
|
);
|
|
|
|
|
|
};
|
feat: Add JTBD-driven Unified Add Wizard system
Implemented a comprehensive unified wizard system to consolidate all "add new content"
actions into a single, intuitive, step-by-step guided experience based on Jobs To Be Done
(JTBD) methodology.
## What's New
### Core Components
- **UnifiedAddWizard**: Main orchestrator component that routes to specific wizards
- **ItemTypeSelector**: Beautiful visual card-based selection for 9 content types
- **9 Individual Wizards**: Step-by-step flows for each content type
### Priority Implementations (P0)
1. **SalesEntryWizard** ⭐ (MOST CRITICAL)
- Manual entry with dynamic product lists and auto-calculated totals
- File upload placeholder for CSV/Excel bulk import
- Critical for small bakeries without POS systems
2. **InventoryWizard**
- Type selection (ingredient vs finished product)
- Context-aware forms based on inventory type
- Optional initial lot entry
### Placeholder Wizards (P1/P2)
- Customer Order, Supplier, Recipe, Customer, Quality Template, Equipment, Team Member
- Proper structure in place for incremental enhancement
### Dashboard Integration
- Added prominent "Agregar" button in dashboard header
- Opens wizard modal with visual type selection
- Auto-refreshes dashboard after wizard completion
### Design Highlights
- Mobile-first responsive design (full-screen on mobile, modal on desktop)
- Touch-friendly with 44px+ touch targets
- Follows existing color system and design tokens
- Progressive disclosure to reduce cognitive load
- Accessibility-compliant (WCAG AA)
## Documentation
Created comprehensive documentation:
- `JTBD_UNIFIED_ADD_WIZARD.md` - Full JTBD analysis and research
- `WIZARD_ARCHITECTURE_DESIGN.md` - Technical design and specifications
- `UNIFIED_WIZARD_IMPLEMENTATION_SUMMARY.md` - Implementation guide
## Files Changed
- New: `frontend/src/components/domain/unified-wizard/` (15 new files)
- Modified: `frontend/src/pages/app/DashboardPage.tsx` (added wizard integration)
## Next Steps
- [ ] Connect wizards to real API endpoints (currently mock/placeholder)
- [ ] Implement full CSV upload for sales entry
- [ ] Add comprehensive form validation
- [ ] Enhance P1 priority wizards based on user feedback
## JTBD Alignment
Main Job: "When I need to expand or update my bakery operations, I want to quickly add
new resources to my management system, so I can keep my business running smoothly."
Key insights applied:
- Prioritized sales entry (most bakeries lack POS)
- Mobile-first (bakery owners are on their feet)
- Progressive disclosure (reduce overwhelm)
- Forgiving interactions (can go back, save drafts)
2025-11-09 08:40:01 +00:00
|
|
|
|
|
|
|
|
|
|
export const CustomerOrderWizardSteps = (
|
|
|
|
|
|
data: Record<string, any>,
|
|
|
|
|
|
setData: (data: Record<string, any>) => void
|
|
|
|
|
|
): WizardStep[] => [
|
|
|
|
|
|
{
|
|
|
|
|
|
id: 'customer-selection',
|
|
|
|
|
|
title: 'Seleccionar Cliente',
|
|
|
|
|
|
description: 'Buscar o crear cliente',
|
2025-11-09 08:48:21 +00:00
|
|
|
|
component: (props) => <CustomerSelectionStep {...props} data={data} onDataChange={setData} />,
|
feat: Add JTBD-driven Unified Add Wizard system
Implemented a comprehensive unified wizard system to consolidate all "add new content"
actions into a single, intuitive, step-by-step guided experience based on Jobs To Be Done
(JTBD) methodology.
## What's New
### Core Components
- **UnifiedAddWizard**: Main orchestrator component that routes to specific wizards
- **ItemTypeSelector**: Beautiful visual card-based selection for 9 content types
- **9 Individual Wizards**: Step-by-step flows for each content type
### Priority Implementations (P0)
1. **SalesEntryWizard** ⭐ (MOST CRITICAL)
- Manual entry with dynamic product lists and auto-calculated totals
- File upload placeholder for CSV/Excel bulk import
- Critical for small bakeries without POS systems
2. **InventoryWizard**
- Type selection (ingredient vs finished product)
- Context-aware forms based on inventory type
- Optional initial lot entry
### Placeholder Wizards (P1/P2)
- Customer Order, Supplier, Recipe, Customer, Quality Template, Equipment, Team Member
- Proper structure in place for incremental enhancement
### Dashboard Integration
- Added prominent "Agregar" button in dashboard header
- Opens wizard modal with visual type selection
- Auto-refreshes dashboard after wizard completion
### Design Highlights
- Mobile-first responsive design (full-screen on mobile, modal on desktop)
- Touch-friendly with 44px+ touch targets
- Follows existing color system and design tokens
- Progressive disclosure to reduce cognitive load
- Accessibility-compliant (WCAG AA)
## Documentation
Created comprehensive documentation:
- `JTBD_UNIFIED_ADD_WIZARD.md` - Full JTBD analysis and research
- `WIZARD_ARCHITECTURE_DESIGN.md` - Technical design and specifications
- `UNIFIED_WIZARD_IMPLEMENTATION_SUMMARY.md` - Implementation guide
## Files Changed
- New: `frontend/src/components/domain/unified-wizard/` (15 new files)
- Modified: `frontend/src/pages/app/DashboardPage.tsx` (added wizard integration)
## Next Steps
- [ ] Connect wizards to real API endpoints (currently mock/placeholder)
- [ ] Implement full CSV upload for sales entry
- [ ] Add comprehensive form validation
- [ ] Enhance P1 priority wizards based on user feedback
## JTBD Alignment
Main Job: "When I need to expand or update my bakery operations, I want to quickly add
new resources to my management system, so I can keep my business running smoothly."
Key insights applied:
- Prioritized sales entry (most bakeries lack POS)
- Mobile-first (bakery owners are on their feet)
- Progressive disclosure (reduce overwhelm)
- Forgiving interactions (can go back, save drafts)
2025-11-09 08:40:01 +00:00
|
|
|
|
},
|
|
|
|
|
|
{
|
|
|
|
|
|
id: 'order-items',
|
|
|
|
|
|
title: 'Productos del Pedido',
|
|
|
|
|
|
description: 'Agregar productos y cantidades',
|
2025-11-09 08:48:21 +00:00
|
|
|
|
component: (props) => <OrderItemsStep {...props} data={data} onDataChange={setData} />,
|
feat: Add JTBD-driven Unified Add Wizard system
Implemented a comprehensive unified wizard system to consolidate all "add new content"
actions into a single, intuitive, step-by-step guided experience based on Jobs To Be Done
(JTBD) methodology.
## What's New
### Core Components
- **UnifiedAddWizard**: Main orchestrator component that routes to specific wizards
- **ItemTypeSelector**: Beautiful visual card-based selection for 9 content types
- **9 Individual Wizards**: Step-by-step flows for each content type
### Priority Implementations (P0)
1. **SalesEntryWizard** ⭐ (MOST CRITICAL)
- Manual entry with dynamic product lists and auto-calculated totals
- File upload placeholder for CSV/Excel bulk import
- Critical for small bakeries without POS systems
2. **InventoryWizard**
- Type selection (ingredient vs finished product)
- Context-aware forms based on inventory type
- Optional initial lot entry
### Placeholder Wizards (P1/P2)
- Customer Order, Supplier, Recipe, Customer, Quality Template, Equipment, Team Member
- Proper structure in place for incremental enhancement
### Dashboard Integration
- Added prominent "Agregar" button in dashboard header
- Opens wizard modal with visual type selection
- Auto-refreshes dashboard after wizard completion
### Design Highlights
- Mobile-first responsive design (full-screen on mobile, modal on desktop)
- Touch-friendly with 44px+ touch targets
- Follows existing color system and design tokens
- Progressive disclosure to reduce cognitive load
- Accessibility-compliant (WCAG AA)
## Documentation
Created comprehensive documentation:
- `JTBD_UNIFIED_ADD_WIZARD.md` - Full JTBD analysis and research
- `WIZARD_ARCHITECTURE_DESIGN.md` - Technical design and specifications
- `UNIFIED_WIZARD_IMPLEMENTATION_SUMMARY.md` - Implementation guide
## Files Changed
- New: `frontend/src/components/domain/unified-wizard/` (15 new files)
- Modified: `frontend/src/pages/app/DashboardPage.tsx` (added wizard integration)
## Next Steps
- [ ] Connect wizards to real API endpoints (currently mock/placeholder)
- [ ] Implement full CSV upload for sales entry
- [ ] Add comprehensive form validation
- [ ] Enhance P1 priority wizards based on user feedback
## JTBD Alignment
Main Job: "When I need to expand or update my bakery operations, I want to quickly add
new resources to my management system, so I can keep my business running smoothly."
Key insights applied:
- Prioritized sales entry (most bakeries lack POS)
- Mobile-first (bakery owners are on their feet)
- Progressive disclosure (reduce overwhelm)
- Forgiving interactions (can go back, save drafts)
2025-11-09 08:40:01 +00:00
|
|
|
|
},
|
|
|
|
|
|
{
|
|
|
|
|
|
id: 'delivery-payment',
|
|
|
|
|
|
title: 'Entrega y Pago',
|
2025-11-09 08:48:21 +00:00
|
|
|
|
description: 'Configurar entrega y forma de pago',
|
|
|
|
|
|
component: (props) => <DeliveryPaymentStep {...props} data={data} onDataChange={setData} />,
|
feat: Add JTBD-driven Unified Add Wizard system
Implemented a comprehensive unified wizard system to consolidate all "add new content"
actions into a single, intuitive, step-by-step guided experience based on Jobs To Be Done
(JTBD) methodology.
## What's New
### Core Components
- **UnifiedAddWizard**: Main orchestrator component that routes to specific wizards
- **ItemTypeSelector**: Beautiful visual card-based selection for 9 content types
- **9 Individual Wizards**: Step-by-step flows for each content type
### Priority Implementations (P0)
1. **SalesEntryWizard** ⭐ (MOST CRITICAL)
- Manual entry with dynamic product lists and auto-calculated totals
- File upload placeholder for CSV/Excel bulk import
- Critical for small bakeries without POS systems
2. **InventoryWizard**
- Type selection (ingredient vs finished product)
- Context-aware forms based on inventory type
- Optional initial lot entry
### Placeholder Wizards (P1/P2)
- Customer Order, Supplier, Recipe, Customer, Quality Template, Equipment, Team Member
- Proper structure in place for incremental enhancement
### Dashboard Integration
- Added prominent "Agregar" button in dashboard header
- Opens wizard modal with visual type selection
- Auto-refreshes dashboard after wizard completion
### Design Highlights
- Mobile-first responsive design (full-screen on mobile, modal on desktop)
- Touch-friendly with 44px+ touch targets
- Follows existing color system and design tokens
- Progressive disclosure to reduce cognitive load
- Accessibility-compliant (WCAG AA)
## Documentation
Created comprehensive documentation:
- `JTBD_UNIFIED_ADD_WIZARD.md` - Full JTBD analysis and research
- `WIZARD_ARCHITECTURE_DESIGN.md` - Technical design and specifications
- `UNIFIED_WIZARD_IMPLEMENTATION_SUMMARY.md` - Implementation guide
## Files Changed
- New: `frontend/src/components/domain/unified-wizard/` (15 new files)
- Modified: `frontend/src/pages/app/DashboardPage.tsx` (added wizard integration)
## Next Steps
- [ ] Connect wizards to real API endpoints (currently mock/placeholder)
- [ ] Implement full CSV upload for sales entry
- [ ] Add comprehensive form validation
- [ ] Enhance P1 priority wizards based on user feedback
## JTBD Alignment
Main Job: "When I need to expand or update my bakery operations, I want to quickly add
new resources to my management system, so I can keep my business running smoothly."
Key insights applied:
- Prioritized sales entry (most bakeries lack POS)
- Mobile-first (bakery owners are on their feet)
- Progressive disclosure (reduce overwhelm)
- Forgiving interactions (can go back, save drafts)
2025-11-09 08:40:01 +00:00
|
|
|
|
},
|
|
|
|
|
|
];
|