583 lines
16 KiB
TypeScript
583 lines
16 KiB
TypeScript
import { useCallback, useEffect, useMemo, useRef, useState } from 'react';
|
|
import {
|
|
ActivityIndicator,
|
|
KeyboardAvoidingView,
|
|
Modal,
|
|
Platform,
|
|
Pressable,
|
|
RefreshControl,
|
|
ScrollView,
|
|
StyleSheet,
|
|
Text,
|
|
TextInput,
|
|
View,
|
|
} from 'react-native';
|
|
import { useLocalSearchParams } from 'expo-router';
|
|
|
|
import { createTask, fetchTasks, fetchTenantProfiles, Task, TaskStatus, updateTask } from '@/src/lib/api';
|
|
import { useAuth } from '@/src/providers/auth-provider';
|
|
|
|
const STATUSES: TaskStatus[] = ['Offen', 'In Bearbeitung', 'Abgeschlossen'];
|
|
const PRIMARY = '#69c350';
|
|
|
|
function normalizeStatus(status: unknown): TaskStatus {
|
|
if (status === 'In Bearbeitung' || status === 'Abgeschlossen') return status;
|
|
return 'Offen';
|
|
}
|
|
|
|
function getTaskAssigneeId(task: Task): string | null {
|
|
return (task.userId || task.user_id || task.profile || null) as string | null;
|
|
}
|
|
|
|
export default function TasksScreen() {
|
|
const { token, user, activeTenantId } = useAuth();
|
|
const params = useLocalSearchParams<{ action?: string | string[] }>();
|
|
|
|
const [loading, setLoading] = useState(true);
|
|
const [refreshing, setRefreshing] = useState(false);
|
|
const [saving, setSaving] = useState(false);
|
|
const [updatingTaskId, setUpdatingTaskId] = useState<number | null>(null);
|
|
const [error, setError] = useState<string | null>(null);
|
|
|
|
const [tasks, setTasks] = useState<Task[]>([]);
|
|
const [profiles, setProfiles] = useState<{ id: string; label: string }[]>([]);
|
|
|
|
const [search, setSearch] = useState('');
|
|
const [statusFilter, setStatusFilter] = useState<'Alle' | TaskStatus>('Alle');
|
|
const [showCompleted, setShowCompleted] = useState(false);
|
|
|
|
const [showSearchPanel, setShowSearchPanel] = useState(false);
|
|
const [showFilterPanel, setShowFilterPanel] = useState(false);
|
|
|
|
const [createModalOpen, setCreateModalOpen] = useState(false);
|
|
const [createError, setCreateError] = useState<string | null>(null);
|
|
const [newTaskName, setNewTaskName] = useState('');
|
|
const [newTaskDescription, setNewTaskDescription] = useState('');
|
|
const handledActionRef = useRef<string | null>(null);
|
|
|
|
const currentUserId = useMemo(() => (user?.id ? String(user.id) : null), [user]);
|
|
const incomingAction = useMemo(() => {
|
|
const raw = Array.isArray(params.action) ? params.action[0] : params.action;
|
|
return String(raw || '').toLowerCase();
|
|
}, [params.action]);
|
|
|
|
const filteredTasks = useMemo(() => {
|
|
const needle = search.trim().toLowerCase();
|
|
|
|
return tasks
|
|
.filter((task) => {
|
|
const status = normalizeStatus(task.categorie);
|
|
if (!showCompleted && status === 'Abgeschlossen') return false;
|
|
const statusMatch = statusFilter === 'Alle' || status === statusFilter;
|
|
const textMatch =
|
|
!needle ||
|
|
[task.name, task.description, task.categorie].some((value) =>
|
|
String(value || '').toLowerCase().includes(needle)
|
|
);
|
|
return statusMatch && textMatch;
|
|
})
|
|
.sort((a, b) => Number(a.id) - Number(b.id));
|
|
}, [search, showCompleted, statusFilter, tasks]);
|
|
|
|
function getAssigneeLabel(task: Task): string {
|
|
const assigneeId = getTaskAssigneeId(task);
|
|
if (!assigneeId) return '-';
|
|
return profiles.find((profile) => profile.id === assigneeId)?.label || assigneeId;
|
|
}
|
|
|
|
const loadTasks = useCallback(
|
|
async (showSpinner = true) => {
|
|
if (!token) return;
|
|
|
|
if (showSpinner) setLoading(true);
|
|
setError(null);
|
|
|
|
try {
|
|
const [taskRows, profileRows] = await Promise.all([fetchTasks(token), fetchTenantProfiles(token)]);
|
|
setTasks(taskRows || []);
|
|
setProfiles(
|
|
(profileRows || [])
|
|
.map((profile) => {
|
|
const id = profile.user_id || (profile.id ? String(profile.id) : null);
|
|
const label = profile.full_name || profile.fullName || profile.email || id;
|
|
return id ? { id: String(id), label: String(label || id) } : null;
|
|
})
|
|
.filter((value): value is { id: string; label: string } => Boolean(value))
|
|
);
|
|
} catch (err) {
|
|
setError(err instanceof Error ? err.message : 'Aufgaben konnten nicht geladen werden.');
|
|
} finally {
|
|
setLoading(false);
|
|
setRefreshing(false);
|
|
}
|
|
},
|
|
[token]
|
|
);
|
|
|
|
useEffect(() => {
|
|
if (!token || !activeTenantId) return;
|
|
void loadTasks(true);
|
|
}, [token, activeTenantId, loadTasks]);
|
|
|
|
useEffect(() => {
|
|
if (incomingAction !== 'create') return;
|
|
if (handledActionRef.current === incomingAction) return;
|
|
handledActionRef.current = incomingAction;
|
|
setCreateModalOpen(true);
|
|
}, [incomingAction]);
|
|
|
|
async function onRefresh() {
|
|
if (!token) return;
|
|
setRefreshing(true);
|
|
await loadTasks(false);
|
|
}
|
|
|
|
function closeCreateModal() {
|
|
setCreateModalOpen(false);
|
|
setCreateError(null);
|
|
setNewTaskName('');
|
|
setNewTaskDescription('');
|
|
handledActionRef.current = null;
|
|
}
|
|
|
|
async function onCreateTask() {
|
|
if (!token) return;
|
|
|
|
const name = newTaskName.trim();
|
|
if (!name) {
|
|
setCreateError('Bitte einen Aufgabennamen eingeben.');
|
|
return;
|
|
}
|
|
|
|
setSaving(true);
|
|
setCreateError(null);
|
|
|
|
try {
|
|
await createTask(token, {
|
|
name,
|
|
description: newTaskDescription.trim() || null,
|
|
categorie: 'Offen',
|
|
userId: currentUserId,
|
|
});
|
|
|
|
closeCreateModal();
|
|
await loadTasks(false);
|
|
} catch (err) {
|
|
setCreateError(err instanceof Error ? err.message : 'Aufgabe konnte nicht erstellt werden.');
|
|
} finally {
|
|
setSaving(false);
|
|
}
|
|
}
|
|
|
|
async function setTaskStatus(task: Task, status: TaskStatus) {
|
|
if (!token || !task?.id) return;
|
|
if (normalizeStatus(task.categorie) === status) return;
|
|
|
|
setUpdatingTaskId(Number(task.id));
|
|
setError(null);
|
|
|
|
try {
|
|
await updateTask(token, Number(task.id), { categorie: status });
|
|
setTasks((prev) => prev.map((item) => (item.id === task.id ? { ...item, categorie: status } : item)));
|
|
} catch (err) {
|
|
setError(err instanceof Error ? err.message : 'Status konnte nicht gesetzt werden.');
|
|
} finally {
|
|
setUpdatingTaskId(null);
|
|
}
|
|
}
|
|
|
|
return (
|
|
<View style={styles.screen}>
|
|
<ScrollView
|
|
contentContainerStyle={styles.container}
|
|
refreshControl={<RefreshControl refreshing={refreshing} onRefresh={onRefresh} />}>
|
|
<View style={styles.topActions}>
|
|
<Pressable
|
|
style={[styles.topActionButton, showSearchPanel ? styles.topActionButtonActive : null]}
|
|
onPress={() => setShowSearchPanel((prev) => !prev)}>
|
|
<Text style={[styles.topActionText, showSearchPanel ? styles.topActionTextActive : null]}>Suche</Text>
|
|
</Pressable>
|
|
<Pressable
|
|
style={[styles.topActionButton, showFilterPanel ? styles.topActionButtonActive : null]}
|
|
onPress={() => setShowFilterPanel((prev) => !prev)}>
|
|
<Text style={[styles.topActionText, showFilterPanel ? styles.topActionTextActive : null]}>Filter</Text>
|
|
</Pressable>
|
|
</View>
|
|
|
|
{showSearchPanel ? (
|
|
<View style={styles.panel}>
|
|
<TextInput
|
|
placeholder="Suche"
|
|
placeholderTextColor="#9ca3af"
|
|
style={styles.input}
|
|
value={search}
|
|
onChangeText={setSearch}
|
|
/>
|
|
</View>
|
|
) : null}
|
|
|
|
{showFilterPanel ? (
|
|
<View style={styles.panel}>
|
|
<View style={styles.filterRow}>
|
|
{(['Alle', 'Offen', 'In Bearbeitung'] as const).map((status) => (
|
|
<Pressable
|
|
key={status}
|
|
style={[styles.filterChip, statusFilter === status ? styles.filterChipActive : null]}
|
|
onPress={() => setStatusFilter(status)}>
|
|
<Text
|
|
style={[
|
|
styles.filterChipText,
|
|
statusFilter === status ? styles.filterChipTextActive : null,
|
|
]}>
|
|
{status}
|
|
</Text>
|
|
</Pressable>
|
|
))}
|
|
<Pressable
|
|
style={[styles.filterChip, showCompleted ? styles.filterChipActive : null]}
|
|
onPress={() => setShowCompleted((prev) => !prev)}>
|
|
<Text style={[styles.filterChipText, showCompleted ? styles.filterChipTextActive : null]}>
|
|
Abgeschlossene anzeigen
|
|
</Text>
|
|
</Pressable>
|
|
</View>
|
|
</View>
|
|
) : null}
|
|
|
|
{error ? <Text style={styles.error}>{error}</Text> : null}
|
|
|
|
{loading ? (
|
|
<View style={styles.loadingBox}>
|
|
<ActivityIndicator />
|
|
<Text style={styles.loadingText}>Aufgaben werden geladen...</Text>
|
|
</View>
|
|
) : null}
|
|
|
|
{!loading && filteredTasks.length === 0 ? (
|
|
<Text style={styles.empty}>Keine Aufgaben gefunden.</Text>
|
|
) : null}
|
|
|
|
{!loading &&
|
|
filteredTasks.map((task) => {
|
|
const status = normalizeStatus(task.categorie);
|
|
const isUpdating = updatingTaskId === Number(task.id);
|
|
|
|
return (
|
|
<View key={String(task.id)} style={styles.taskCard}>
|
|
<View style={styles.taskHeader}>
|
|
<Text style={styles.taskTitle} numberOfLines={2}>
|
|
{task.name}
|
|
</Text>
|
|
<Text style={styles.statusBadge}>{status}</Text>
|
|
</View>
|
|
|
|
{task.description ? (
|
|
<Text style={styles.taskDescription} numberOfLines={3}>
|
|
{task.description}
|
|
</Text>
|
|
) : null}
|
|
|
|
<Text style={styles.taskMeta}>Zuweisung: {getAssigneeLabel(task)}</Text>
|
|
|
|
<View style={styles.actionRow}>
|
|
{STATUSES.map((nextStatus) => (
|
|
<Pressable
|
|
key={nextStatus}
|
|
style={[
|
|
styles.actionButton,
|
|
nextStatus === status ? styles.actionButtonActive : null,
|
|
isUpdating ? styles.buttonDisabled : null,
|
|
]}
|
|
onPress={() => setTaskStatus(task, nextStatus)}
|
|
disabled={isUpdating || nextStatus === status}>
|
|
<Text style={styles.actionButtonText}>{nextStatus}</Text>
|
|
</Pressable>
|
|
))}
|
|
</View>
|
|
</View>
|
|
);
|
|
})}
|
|
</ScrollView>
|
|
|
|
<Pressable style={styles.fab} onPress={() => setCreateModalOpen(true)}>
|
|
<Text style={styles.fabText}>+</Text>
|
|
</Pressable>
|
|
|
|
<Modal visible={createModalOpen} transparent animationType="fade" onRequestClose={closeCreateModal}>
|
|
<View style={styles.modalOverlay}>
|
|
<KeyboardAvoidingView
|
|
behavior={Platform.OS === 'ios' ? 'padding' : undefined}
|
|
style={styles.modalKeyboardWrap}>
|
|
<View style={styles.modalCard}>
|
|
<Text style={styles.modalTitle}>Neue Aufgabe</Text>
|
|
|
|
<TextInput
|
|
placeholder="Titel"
|
|
placeholderTextColor="#9ca3af"
|
|
style={styles.input}
|
|
value={newTaskName}
|
|
onChangeText={setNewTaskName}
|
|
/>
|
|
<TextInput
|
|
placeholder="Beschreibung (optional)"
|
|
placeholderTextColor="#9ca3af"
|
|
style={[styles.input, styles.inputMultiline]}
|
|
multiline
|
|
value={newTaskDescription}
|
|
onChangeText={setNewTaskDescription}
|
|
/>
|
|
|
|
{createError ? <Text style={styles.error}>{createError}</Text> : null}
|
|
|
|
<View style={styles.modalActions}>
|
|
<Pressable style={styles.secondaryButton} onPress={closeCreateModal} disabled={saving}>
|
|
<Text style={styles.secondaryButtonText}>Abbrechen</Text>
|
|
</Pressable>
|
|
<Pressable
|
|
style={[styles.primaryButton, saving ? styles.buttonDisabled : null]}
|
|
onPress={onCreateTask}
|
|
disabled={saving}>
|
|
<Text style={styles.primaryButtonText}>{saving ? 'Speichere...' : 'Anlegen'}</Text>
|
|
</Pressable>
|
|
</View>
|
|
</View>
|
|
</KeyboardAvoidingView>
|
|
</View>
|
|
</Modal>
|
|
</View>
|
|
);
|
|
}
|
|
|
|
const styles = StyleSheet.create({
|
|
screen: {
|
|
flex: 1,
|
|
backgroundColor: '#f9fafb',
|
|
},
|
|
container: {
|
|
padding: 16,
|
|
gap: 12,
|
|
paddingBottom: 96,
|
|
},
|
|
topActions: {
|
|
flexDirection: 'row',
|
|
gap: 8,
|
|
},
|
|
topActionButton: {
|
|
borderWidth: 1,
|
|
borderColor: '#d1d5db',
|
|
borderRadius: 10,
|
|
paddingHorizontal: 12,
|
|
paddingVertical: 8,
|
|
backgroundColor: '#ffffff',
|
|
},
|
|
topActionButtonActive: {
|
|
borderColor: PRIMARY,
|
|
backgroundColor: '#eff9ea',
|
|
},
|
|
topActionText: {
|
|
color: '#374151',
|
|
fontWeight: '600',
|
|
},
|
|
topActionTextActive: {
|
|
color: '#3d7a30',
|
|
},
|
|
panel: {
|
|
backgroundColor: '#ffffff',
|
|
borderRadius: 12,
|
|
padding: 12,
|
|
borderWidth: 1,
|
|
borderColor: '#e5e7eb',
|
|
},
|
|
input: {
|
|
borderWidth: 1,
|
|
borderColor: '#d1d5db',
|
|
borderRadius: 10,
|
|
paddingHorizontal: 12,
|
|
paddingVertical: 10,
|
|
fontSize: 15,
|
|
color: '#111827',
|
|
backgroundColor: '#ffffff',
|
|
},
|
|
inputMultiline: {
|
|
minHeight: 72,
|
|
textAlignVertical: 'top',
|
|
},
|
|
filterRow: {
|
|
flexDirection: 'row',
|
|
flexWrap: 'wrap',
|
|
gap: 8,
|
|
},
|
|
filterChip: {
|
|
borderRadius: 999,
|
|
borderWidth: 1,
|
|
borderColor: '#d1d5db',
|
|
paddingHorizontal: 10,
|
|
paddingVertical: 6,
|
|
backgroundColor: '#ffffff',
|
|
},
|
|
filterChipActive: {
|
|
borderColor: PRIMARY,
|
|
backgroundColor: '#eff9ea',
|
|
},
|
|
filterChipText: {
|
|
color: '#374151',
|
|
fontSize: 13,
|
|
fontWeight: '500',
|
|
},
|
|
filterChipTextActive: {
|
|
color: '#3d7a30',
|
|
},
|
|
error: {
|
|
color: '#dc2626',
|
|
fontSize: 13,
|
|
},
|
|
loadingBox: {
|
|
padding: 16,
|
|
alignItems: 'center',
|
|
gap: 8,
|
|
},
|
|
loadingText: {
|
|
color: '#6b7280',
|
|
},
|
|
empty: {
|
|
color: '#6b7280',
|
|
textAlign: 'center',
|
|
paddingVertical: 16,
|
|
},
|
|
taskCard: {
|
|
backgroundColor: '#ffffff',
|
|
borderRadius: 12,
|
|
padding: 12,
|
|
gap: 8,
|
|
borderWidth: 1,
|
|
borderColor: '#e5e7eb',
|
|
},
|
|
taskHeader: {
|
|
flexDirection: 'row',
|
|
justifyContent: 'space-between',
|
|
alignItems: 'flex-start',
|
|
gap: 8,
|
|
},
|
|
taskTitle: {
|
|
flex: 1,
|
|
color: '#111827',
|
|
fontSize: 16,
|
|
fontWeight: '600',
|
|
},
|
|
statusBadge: {
|
|
color: '#3d7a30',
|
|
backgroundColor: '#eff9ea',
|
|
borderRadius: 999,
|
|
paddingHorizontal: 8,
|
|
paddingVertical: 4,
|
|
fontSize: 12,
|
|
overflow: 'hidden',
|
|
},
|
|
taskDescription: {
|
|
color: '#374151',
|
|
fontSize: 14,
|
|
},
|
|
taskMeta: {
|
|
color: '#6b7280',
|
|
fontSize: 12,
|
|
},
|
|
actionRow: {
|
|
flexDirection: 'row',
|
|
gap: 8,
|
|
flexWrap: 'wrap',
|
|
},
|
|
actionButton: {
|
|
borderRadius: 8,
|
|
borderWidth: 1,
|
|
borderColor: '#d1d5db',
|
|
backgroundColor: '#ffffff',
|
|
paddingHorizontal: 10,
|
|
paddingVertical: 7,
|
|
},
|
|
actionButtonActive: {
|
|
borderColor: PRIMARY,
|
|
backgroundColor: '#eff9ea',
|
|
},
|
|
actionButtonText: {
|
|
color: '#1f2937',
|
|
fontSize: 12,
|
|
fontWeight: '500',
|
|
},
|
|
fab: {
|
|
position: 'absolute',
|
|
right: 18,
|
|
bottom: 24,
|
|
width: 56,
|
|
height: 56,
|
|
borderRadius: 28,
|
|
backgroundColor: PRIMARY,
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
elevation: 4,
|
|
shadowColor: '#111827',
|
|
shadowOpacity: 0.18,
|
|
shadowRadius: 10,
|
|
shadowOffset: { width: 0, height: 4 },
|
|
},
|
|
fabText: {
|
|
color: '#ffffff',
|
|
fontSize: 30,
|
|
lineHeight: 30,
|
|
fontWeight: '500',
|
|
marginTop: -1,
|
|
},
|
|
modalOverlay: {
|
|
flex: 1,
|
|
backgroundColor: 'rgba(0,0,0,0.35)',
|
|
justifyContent: 'center',
|
|
padding: 16,
|
|
},
|
|
modalKeyboardWrap: {
|
|
width: '100%',
|
|
},
|
|
modalCard: {
|
|
backgroundColor: '#ffffff',
|
|
borderRadius: 14,
|
|
padding: 14,
|
|
gap: 10,
|
|
},
|
|
modalTitle: {
|
|
fontSize: 18,
|
|
fontWeight: '700',
|
|
color: '#111827',
|
|
},
|
|
modalActions: {
|
|
flexDirection: 'row',
|
|
justifyContent: 'flex-end',
|
|
gap: 8,
|
|
marginTop: 2,
|
|
},
|
|
secondaryButton: {
|
|
minHeight: 42,
|
|
borderRadius: 10,
|
|
paddingHorizontal: 14,
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
backgroundColor: '#e5e7eb',
|
|
},
|
|
secondaryButtonText: {
|
|
color: '#111827',
|
|
fontWeight: '600',
|
|
},
|
|
primaryButton: {
|
|
minHeight: 42,
|
|
borderRadius: 10,
|
|
paddingHorizontal: 14,
|
|
backgroundColor: PRIMARY,
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
},
|
|
primaryButtonText: {
|
|
color: '#ffffff',
|
|
fontWeight: '600',
|
|
},
|
|
buttonDisabled: {
|
|
opacity: 0.6,
|
|
},
|
|
});
|