import { useState, useEffect, useRef } from 'react'; import { Title, Table, Group, Button, Stack, Text, NumberInput, Select, Loader, Center, Badge, Card, Alert, Modal, } from '@mantine/core'; import { notifications } from '@mantine/notifications'; import { IconDeviceFloppy, IconInfoCircle, IconPencil, IconX, IconCheck, IconArrowBack, IconTrash, IconRefresh, IconUpload, IconDownload, } from '@tabler/icons-react'; import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query'; import api from '../../services/api'; import { useIsReadOnly } from '../../stores/authStore'; import { usePreferencesStore } from '../../stores/preferencesStore'; interface PlanLine { id: string; account_id: string; account_number: string; account_name: string; account_type: string; fund_type: string; is_manually_adjusted: boolean; jan: number; feb: number; mar: number; apr: number; may: number; jun: number; jul: number; aug: number; sep: number; oct: number; nov: number; dec_amt: number; annual_total: number; } const monthKeys = ['jan', 'feb', 'mar', 'apr', 'may', 'jun', 'jul', 'aug', 'sep', 'oct', 'nov', 'dec_amt']; const monthLabels = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec']; const fmt = (v: number) => v.toLocaleString('en-US', { style: 'currency', currency: 'USD', minimumFractionDigits: 0 }); function hydrateLine(row: any): PlanLine { const line: any = { ...row }; for (const m of monthKeys) { line[m] = Number(line[m]) || 0; } line.annual_total = monthKeys.reduce((sum, m) => sum + (line[m] || 0), 0); return line as PlanLine; } function parseCurrencyValue(val: string): number { if (!val) return 0; let s = val.trim(); if (!s || s === '-' || s === '$-' || s === '$ -') return 0; const isNegative = s.includes('(') && s.includes(')'); s = s.replace(/[$,\s()]/g, ''); if (!s || s === '-') return 0; const num = parseFloat(s); if (isNaN(num)) return 0; return isNegative ? -num : num; } function parseCSV(text: string): Record[] { const lines = text.trim().split('\n'); if (lines.length < 2) return []; const headers = lines[0].split(',').map((h) => h.trim().toLowerCase()); const rows: Record[] = []; for (let i = 1; i < lines.length; i++) { const line = lines[i].trim(); if (!line) continue; const values: string[] = []; let current = ''; let inQuotes = false; for (let j = 0; j < line.length; j++) { const ch = line[j]; if (ch === '"') { inQuotes = !inQuotes; } else if (ch === ',' && !inQuotes) { values.push(current.trim()); current = ''; } else { current += ch; } } values.push(current.trim()); const row: Record = {}; headers.forEach((h, idx) => { row[h] = values[idx] || ''; }); rows.push(row); } return rows; } const statusColors: Record = { planning: 'blue', approved: 'yellow', ratified: 'green', }; export function BudgetPlanningPage() { const queryClient = useQueryClient(); const isReadOnly = useIsReadOnly(); const isDark = usePreferencesStore((s) => s.colorScheme) === 'dark'; const stickyBg = isDark ? 'var(--mantine-color-dark-7)' : 'white'; const stickyBorder = isDark ? 'var(--mantine-color-dark-4)' : '#e9ecef'; const incomeSectionBg = isDark ? 'var(--mantine-color-green-9)' : '#e6f9e6'; const expenseSectionBg = isDark ? 'var(--mantine-color-red-9)' : '#fde8e8'; const [selectedYear, setSelectedYear] = useState(null); const [lineData, setLineData] = useState([]); const [isEditing, setIsEditing] = useState(false); const [inflationInput, setInflationInput] = useState(2.5); const [confirmModal, setConfirmModal] = useState<{ action: string; title: string; message: string } | null>(null); const fileInputRef = useRef(null); // Available years const { data: availableYears } = useQuery({ queryKey: ['budget-plan-available-years'], queryFn: async () => { const { data } = await api.get('/board-planning/budget-plans/available-years'); return data; }, }); // Set default year when available useEffect(() => { if (availableYears?.years?.length && !selectedYear) { setSelectedYear(String(availableYears.years[0].year)); } }, [availableYears, selectedYear]); // Plan data for selected year const { data: plan, isLoading } = useQuery({ queryKey: ['budget-plan', selectedYear], queryFn: async () => { const { data } = await api.get(`/board-planning/budget-plans/${selectedYear}`); return data; }, enabled: !!selectedYear, }); // Hydrate lines when plan changes useEffect(() => { if (plan?.lines) { setLineData(plan.lines.map(hydrateLine)); setInflationInput(parseFloat(plan.inflation_rate) || 2.5); setIsEditing(false); } else { setLineData([]); } }, [plan]); const hasBaseBudget = !!availableYears?.latestBudgetYear; const yearOptions = (availableYears?.years || []).map((y: any) => ({ value: String(y.year), label: `${y.year}${y.hasPlan ? ` (${y.status})` : ''}`, })); // If no base budget at all, also offer the current year as an option const currentYear = new Date().getFullYear(); const allYearOptions = !hasBaseBudget && !yearOptions.find((y: any) => y.value === String(currentYear)) ? [{ value: String(currentYear), label: String(currentYear) }, ...yearOptions] : yearOptions; // Mutations const createMutation = useMutation({ mutationFn: async () => { const fiscalYear = parseInt(selectedYear!, 10); const baseYear = availableYears?.latestBudgetYear || new Date().getFullYear(); const { data } = await api.post('/board-planning/budget-plans', { fiscalYear, baseYear, inflationRate: inflationInput, }); return data; }, onSuccess: () => { queryClient.invalidateQueries({ queryKey: ['budget-plan'] }); queryClient.invalidateQueries({ queryKey: ['budget-plan-available-years'] }); notifications.show({ message: 'Budget plan created', color: 'green' }); }, onError: (err: any) => { notifications.show({ message: err.response?.data?.message || 'Create failed', color: 'red' }); }, }); const saveMutation = useMutation({ mutationFn: async () => { const payload = lineData.map((l) => ({ accountId: l.account_id, fundType: l.fund_type, jan: l.jan, feb: l.feb, mar: l.mar, apr: l.apr, may: l.may, jun: l.jun, jul: l.jul, aug: l.aug, sep: l.sep, oct: l.oct, nov: l.nov, dec: l.dec_amt, })); return api.put(`/board-planning/budget-plans/${selectedYear}/lines`, { planId: plan.id, lines: payload, }); }, onSuccess: () => { queryClient.invalidateQueries({ queryKey: ['budget-plan', selectedYear] }); setIsEditing(false); notifications.show({ message: 'Budget plan saved', color: 'green' }); }, onError: (err: any) => { notifications.show({ message: err.response?.data?.message || 'Save failed', color: 'red' }); }, }); const importMutation = useMutation({ mutationFn: async (lines: Record[]) => { const parsed = lines.map((row) => ({ account_number: row.account_number || row.accountnumber || '', account_name: row.account_name || row.accountname || '', jan: parseCurrencyValue(row.jan), feb: parseCurrencyValue(row.feb), mar: parseCurrencyValue(row.mar), apr: parseCurrencyValue(row.apr), may: parseCurrencyValue(row.may), jun: parseCurrencyValue(row.jun), jul: parseCurrencyValue(row.jul), aug: parseCurrencyValue(row.aug), sep: parseCurrencyValue(row.sep), oct: parseCurrencyValue(row.oct), nov: parseCurrencyValue(row.nov), dec_amt: parseCurrencyValue(row.dec_amt || row.dec || ''), })); const { data } = await api.post(`/board-planning/budget-plans/${selectedYear}/import`, parsed); return data; }, onSuccess: (data) => { queryClient.invalidateQueries({ queryKey: ['budget-plan', selectedYear] }); queryClient.invalidateQueries({ queryKey: ['budget-plan-available-years'] }); queryClient.invalidateQueries({ queryKey: ['accounts'] }); let msg = `Imported ${data.imported} budget line(s)`; if (data.created?.length) msg += `. Created ${data.created.length} new account(s)`; if (data.errors?.length) msg += `. ${data.errors.length} error(s): ${data.errors.join('; ')}`; notifications.show({ message: msg, color: data.errors?.length ? 'yellow' : 'green', autoClose: 10000, }); }, onError: (err: any) => { notifications.show({ message: err.response?.data?.message || 'Import failed', color: 'red' }); }, }); const inflationMutation = useMutation({ mutationFn: () => api.put(`/board-planning/budget-plans/${selectedYear}/inflation`, { inflationRate: inflationInput, }), onSuccess: () => { queryClient.invalidateQueries({ queryKey: ['budget-plan', selectedYear] }); notifications.show({ message: 'Inflation rate applied', color: 'green' }); }, }); const statusMutation = useMutation({ mutationFn: (status: string) => api.put(`/board-planning/budget-plans/${selectedYear}/status`, { status }), onSuccess: () => { queryClient.invalidateQueries({ queryKey: ['budget-plan', selectedYear] }); queryClient.invalidateQueries({ queryKey: ['budget-plan-available-years'] }); queryClient.invalidateQueries({ queryKey: ['budgets'] }); setConfirmModal(null); notifications.show({ message: 'Status updated', color: 'green' }); }, onError: (err: any) => { notifications.show({ message: err.response?.data?.message || 'Status update failed', color: 'red' }); setConfirmModal(null); }, }); const deleteMutation = useMutation({ mutationFn: () => api.delete(`/board-planning/budget-plans/${selectedYear}`), onSuccess: () => { queryClient.invalidateQueries({ queryKey: ['budget-plan', selectedYear] }); queryClient.invalidateQueries({ queryKey: ['budget-plan-available-years'] }); setConfirmModal(null); notifications.show({ message: 'Budget plan deleted', color: 'orange' }); }, }); const updateCell = (idx: number, month: string, value: number) => { const updated = [...lineData]; (updated[idx] as any)[month] = value || 0; updated[idx].annual_total = monthKeys.reduce((s, m) => s + ((updated[idx] as any)[m] || 0), 0); setLineData(updated); }; const handleCancelEdit = () => { setIsEditing(false); queryClient.invalidateQueries({ queryKey: ['budget-plan', selectedYear] }); }; const handleDownloadTemplate = async () => { try { const yr = selectedYear || currentYear; const response = await api.get(`/board-planning/budget-plans/${yr}/template`, { responseType: 'blob', }); const blob = new Blob([response.data], { type: 'text/csv' }); const url = window.URL.createObjectURL(blob); const a = document.createElement('a'); a.href = url; a.download = `budget_template_${yr}.csv`; document.body.appendChild(a); a.click(); document.body.removeChild(a); window.URL.revokeObjectURL(url); } catch (err: any) { notifications.show({ message: 'Failed to download template', color: 'red' }); } }; const handleImportCSV = () => { fileInputRef.current?.click(); }; const handleFileChange = (event: React.ChangeEvent) => { const file = event.target.files?.[0]; if (!file) return; const reader = new FileReader(); reader.onload = (e) => { const text = e.target?.result as string; if (!text) { notifications.show({ message: 'Could not read file', color: 'red' }); return; } const rows = parseCSV(text); if (rows.length === 0) { notifications.show({ message: 'No data rows found in CSV', color: 'red' }); return; } importMutation.mutate(rows); }; reader.readAsText(file); event.target.value = ''; }; const hasPlan = !!plan?.id; const status = plan?.status || 'planning'; const cellsEditable = !isReadOnly && isEditing && status !== 'ratified'; const incomeLines = lineData.filter((b) => b.account_type === 'income'); const operatingIncomeLines = incomeLines.filter((b) => b.fund_type === 'operating'); const reserveIncomeLines = incomeLines.filter((b) => b.fund_type === 'reserve'); const expenseLines = lineData.filter((b) => b.account_type === 'expense'); const totalOperatingIncome = operatingIncomeLines.reduce((sum, l) => sum + (l.annual_total || 0), 0); const totalReserveIncome = reserveIncomeLines.reduce((sum, l) => sum + (l.annual_total || 0), 0); const totalExpense = expenseLines.reduce((sum, l) => sum + (l.annual_total || 0), 0); return ( {/* Header */} Budget Planning {hasPlan && ( {status} )} {isLoading &&
} {/* Empty state - no base budget exists at all */} {!isLoading && !hasPlan && selectedYear && !hasBaseBudget && ( } color="orange" variant="light"> No budget data found in the system To get started with budget planning, you need to load an initial budget. You can either create a new budget from scratch or import an existing budget from a CSV file. Use Download Template above to get a CSV with your chart of accounts pre-populated, fill in the monthly amounts, then import it below. )} {/* Empty state - base budget exists but no plan for this year */} {!isLoading && !hasPlan && selectedYear && hasBaseBudget && ( } color="blue" variant="light"> No budget plan exists for {selectedYear}. Create one based on the {availableYears?.latestBudgetYear} budget with an inflation adjustment, or import a CSV directly. setInflationInput(Number(v) || 0)} min={0} max={50} step={0.5} decimalScale={2} w={160} size="sm" /> or Base year: {availableYears?.latestBudgetYear}. Each monthly amount will be compounded annually by the specified inflation rate. )} {/* Plan controls */} {hasPlan && ( <> setInflationInput(Number(v) || 0)} min={0} max={50} step={0.5} decimalScale={2} w={140} size="xs" disabled={status === 'ratified' || isReadOnly} /> Base year: {plan.base_year} {!isReadOnly && ( <> {/* Import CSV into existing plan */} {status !== 'ratified' && ( )} {/* Status actions */} {status === 'planning' && ( <> )} {status === 'approved' && ( <> )} {status === 'ratified' && ( )} {/* Edit/Save */} {status !== 'ratified' && ( <> {!isEditing ? ( ) : ( <> )} )} )} {/* Summary cards */} Operating Income {fmt(totalOperatingIncome)} {totalReserveIncome > 0 && ( Reserve Income {fmt(totalReserveIncome)} )} Total Expenses {fmt(totalExpense)} Net (Operating) = 0 ? 'green' : 'red'}> {fmt(totalOperatingIncome - totalExpense)} {/* Data table */}
Acct # Account Name {monthLabels.map((m) => ( {m} ))} Annual {lineData.length === 0 && ( No budget plan lines. )} {['income', 'expense'].map((type) => { const lines = lineData.filter((b) => b.account_type === type); if (lines.length === 0) return null; const sectionBg = type === 'income' ? incomeSectionBg : expenseSectionBg; const sectionTotal = lines.reduce((sum, l) => sum + (l.annual_total || 0), 0); return [ {type} {monthLabels.map((m) => )} {fmt(sectionTotal)} , ...lines.map((line) => { const idx = lineData.indexOf(line); return ( {line.account_number} {line.account_name} {line.fund_type === 'reserve' && R} {line.is_manually_adjusted && edited} {monthKeys.map((m) => ( {cellsEditable ? ( updateCell(idx, m, Number(v) || 0)} size="xs" hideControls decimalScale={2} min={0} styles={{ input: { textAlign: 'right', fontFamily: 'monospace' } }} /> ) : ( {fmt((line as any)[m] || 0)} )} ))} {fmt(line.annual_total || 0)} ); }), ]; })}
)} {/* Confirmation modal */} setConfirmModal(null)} title={confirmModal?.title || ''} centered > {confirmModal?.message}
); }