import { useState, useEffect } from 'react' import { Target, Plus, Pencil, Trash2, TrendingUp, Calendar } from 'lucide-react' import { api } from '../utils/api' import dayjs from 'dayjs' import 'dayjs/locale/de' dayjs.locale('de') // Goal Categories const GOAL_CATEGORIES = { body: { label: 'Körper', icon: '📉', color: '#D85A30', description: 'Gewicht, Körperfett, Muskelmasse' }, training: { label: 'Training', icon: '🏋️', color: '#378ADD', description: 'Kraft, Frequenz, Performance' }, nutrition: { label: 'Ernährung', icon: '🍎', color: '#1D9E75', description: 'Kalorien, Makros, Essgewohnheiten' }, recovery: { label: 'Erholung', icon: '😴', color: '#7B68EE', description: 'Schlaf, Regeneration, Ruhetage' }, health: { label: 'Gesundheit', icon: '❤️', color: '#E67E22', description: 'Vitalwerte, Blutdruck, HRV' }, other: { label: 'Sonstiges', icon: '📌', color: '#94A3B8', description: 'Weitere Ziele' } } // Priority Levels const PRIORITY_LEVELS = { 1: { label: 'Hoch', stars: '⭐⭐⭐', color: 'var(--accent)' }, 2: { label: 'Mittel', stars: '⭐⭐', color: '#94A3B8' }, 3: { label: 'Niedrig', stars: '⭐', color: '#CBD5E1' } } // Auto-assign category based on goal_type const getCategoryForGoalType = (goalType) => { const mapping = { // Body composition 'weight': 'body', 'body_fat': 'body', 'lean_mass': 'body', // Training 'strength': 'training', 'flexibility': 'training', 'training_frequency': 'training', // Health/Vitals 'vo2max': 'health', 'rhr': 'health', 'bp': 'health', 'hrv': 'health', // Recovery 'sleep_quality': 'recovery', 'sleep_duration': 'recovery', 'rest_days': 'recovery', // Nutrition 'calories': 'nutrition', 'protein': 'nutrition', 'healthy_eating': 'nutrition' } return mapping[goalType] || 'other' } export default function GoalsPage() { const [goalMode, setGoalMode] = useState(null) const [focusAreas, setFocusAreas] = useState(null) const [focusEditing, setFocusEditing] = useState(false) const [focusTemp, setFocusTemp] = useState({ weight_loss_pct: 0, muscle_gain_pct: 0, strength_pct: 0, endurance_pct: 0, flexibility_pct: 0, health_pct: 0 }) const [goals, setGoals] = useState([]) // Kept for backward compat const [groupedGoals, setGroupedGoals] = useState({}) // Category-grouped goals const [goalTypes, setGoalTypes] = useState([]) // Dynamic from DB (Phase 1.5) const [goalTypesMap, setGoalTypesMap] = useState({}) // For quick lookup const [showGoalForm, setShowGoalForm] = useState(false) const [editingGoal, setEditingGoal] = useState(null) const [showProgressModal, setShowProgressModal] = useState(false) const [progressGoal, setProgressGoal] = useState(null) const [progressEntries, setProgressEntries] = useState([]) const [progressFormData, setProgressFormData] = useState({ date: new Date().toISOString().split('T')[0], value: '', note: '' }) const [loading, setLoading] = useState(true) const [error, setError] = useState(null) const [toast, setToast] = useState(null) // Form state const [formData, setFormData] = useState({ goal_type: 'weight', is_primary: false, category: 'body', priority: 2, target_value: '', unit: 'kg', target_date: '', name: '', description: '' }) useEffect(() => { loadData() }, []) const loadData = async () => { setLoading(true) setError(null) try { const [modeData, goalsData, groupedData, typesData, focusData] = await Promise.all([ api.getGoalMode(), api.listGoals(), api.listGoalsGrouped(), // v2.1: Load grouped by category api.listGoalTypeDefinitions(), // Phase 1.5: Load from DB api.getFocusAreas() // v2.0: Load focus areas ]) setGoalMode(modeData.goal_mode) setGoals(goalsData) setGroupedGoals(groupedData) // Ensure all focus fields are present and numeric const sanitizedFocus = { weight_loss_pct: focusData?.weight_loss_pct ?? 0, muscle_gain_pct: focusData?.muscle_gain_pct ?? 0, strength_pct: focusData?.strength_pct ?? 0, endurance_pct: focusData?.endurance_pct ?? 0, flexibility_pct: focusData?.flexibility_pct ?? 0, health_pct: focusData?.health_pct ?? 0, custom: focusData?.custom, updated_at: focusData?.updated_at } setFocusAreas(sanitizedFocus) setFocusTemp(sanitizedFocus) // Convert types array to map for quick lookup const typesMap = {} if (typesData && Array.isArray(typesData)) { typesData.forEach(type => { typesMap[type.type_key] = { label: type.label_de, unit: type.unit, icon: type.icon || '📊', category: type.category, is_system: type.is_system } }) } setGoalTypes(typesData || []) setGoalTypesMap(typesMap) } catch (err) { console.error('Failed to load goals:', err) setError(`Fehler beim Laden: ${err.message || err.toString()}`) } finally { setLoading(false) } } const showToast = (message, duration = 2000) => { setToast(message) setTimeout(() => setToast(null), duration) } const handleGoalModeChange = async (newMode) => { try { await api.updateGoalMode(newMode) setGoalMode(newMode) showToast('✓ Trainingsmodus aktualisiert') } catch (err) { console.error('Failed to update goal mode:', err) setError('Fehler beim Aktualisieren des Trainingsmodus') } } const handleCreateGoal = () => { if (goalTypes.length === 0) { setError('Keine Goal Types verfügbar. Bitte Admin kontaktieren.') return } setEditingGoal(null) const firstType = goalTypes[0].type_key setFormData({ goal_type: firstType, is_primary: goals.length === 0, // First goal is primary by default category: getCategoryForGoalType(firstType), // Auto-assign based on type priority: 2, target_value: '', unit: goalTypesMap[firstType]?.unit || 'kg', target_date: '', name: '', description: '' }) setShowGoalForm(true) } const handleEditGoal = (goal) => { setEditingGoal(goal.id) setFormData({ goal_type: goal.goal_type, is_primary: goal.is_primary, category: goal.category || 'other', priority: goal.priority || 2, target_value: goal.target_value, unit: goal.unit, target_date: goal.target_date || '', name: goal.name || '', description: goal.description || '' }) setShowGoalForm(true) } const handleGoalTypeChange = (type) => { setFormData(f => ({ ...f, goal_type: type, unit: goalTypesMap[type]?.unit || 'unit', category: getCategoryForGoalType(type) // Auto-assign category })) } const handleSaveGoal = async () => { if (!formData.target_value) { setError('Bitte Zielwert eingeben') return } try { const data = { goal_type: formData.goal_type, is_primary: formData.is_primary, category: formData.category, priority: formData.priority, target_value: parseFloat(formData.target_value), unit: formData.unit, target_date: formData.target_date || null, name: formData.name || null, description: formData.description || null } console.log('[DEBUG] Saving goal:', { editingGoal, data }) if (editingGoal) { await api.updateGoal(editingGoal, data) showToast('✓ Ziel aktualisiert') } else { await api.createGoal(data) showToast('✓ Ziel erstellt') } await loadData() setShowGoalForm(false) setEditingGoal(null) } catch (err) { console.error('Failed to save goal:', err) setError(err.message || 'Fehler beim Speichern') } } const handleDeleteGoal = async (goalId) => { if (!confirm('Ziel wirklich löschen?')) return try { await api.deleteGoal(goalId) showToast('✓ Ziel gelöscht') await loadData() } catch (err) { console.error('Failed to delete goal:', err) setError('Fehler beim Löschen') } } const handleOpenProgressModal = async (goal) => { setProgressGoal(goal) setProgressFormData({ date: new Date().toISOString().split('T')[0], value: goal.current_value || '', note: '' }) // Load progress history try { const entries = await api.listGoalProgress(goal.id) setProgressEntries(entries) } catch (err) { console.error('Failed to load progress:', err) setProgressEntries([]) } setShowProgressModal(true) setError(null) } const handleSaveProgress = async () => { if (!progressFormData.value || !progressFormData.date) { setError('Bitte Datum und Wert eingeben') return } try { const data = { date: progressFormData.date, value: parseFloat(progressFormData.value), note: progressFormData.note || null } await api.createGoalProgress(progressGoal.id, data) showToast('✓ Fortschritt erfasst') // Reload progress history const entries = await api.listGoalProgress(progressGoal.id) setProgressEntries(entries) // Reset form setProgressFormData({ date: new Date().toISOString().split('T')[0], value: '', note: '' }) // Reload goals to update current_value await loadData() setError(null) } catch (err) { console.error('Failed to save progress:', err) setError(err.message || 'Fehler beim Speichern') } } const handleDeleteProgress = async (progressId) => { if (!confirm('Eintrag wirklich löschen?')) return try { await api.deleteGoalProgress(progressGoal.id, progressId) showToast('✓ Eintrag gelöscht') // Reload progress history const entries = await api.listGoalProgress(progressGoal.id) setProgressEntries(entries) // Reload goals to update current_value await loadData() } catch (err) { console.error('Failed to delete progress:', err) setError('Fehler beim Löschen') } } const getProgressColor = (progress) => { if (progress >= 100) return 'var(--accent)' if (progress >= 75) return '#1D9E75' if (progress >= 50) return '#378ADD' if (progress >= 25) return '#E67E22' return '#D85A30' } if (loading) { return (
{error}
Setze relative Gewichte für deine Trainingsziele. Das System berechnet automatisch die Prozentanteile. {focusAreas && !focusAreas.custom && ( ℹ️ Aktuell abgeleitet aus Trainingsmodus "{goalMode}" - klicke "Anpassen" für individuelle Gewichtung )}
{focusEditing ? ( <> {/* Sliders */}Noch keine Ziele definiert
{catInfo.description}