Compare commits

...

2 Commits

Author SHA1 Message Date
a42e2a7c1c refactor: add AuthGuard component and fix API client empty response handling
- Add reusable AuthGuard component for protected routes
- Move auth logic from index.tsx to (tabs)/_layout.tsx via AuthGuard
- Fix ApiClient to handle empty responses (204 No Content)
- Use useFocusEffect in chat.tsx to load messages after auth is ready
- Extract getDateKey() helper function in calendar.tsx
2026-01-25 13:03:17 +01:00
43d40b46d7 feat: add theme system with light/dark mode support
- Add ThemeStore (Zustand) for reactive theme switching
- Add Themes.tsx with THEMES object (defaultLight, defaultDark)
- Add Settings screen with theme switcher and logout button
- Add BaseButton component for reusable themed buttons
- Migrate all components from static currentTheme to useThemeStore()
- Add shadowColor to theme (iOS only, Android uses elevation)
- All text elements now use theme colors (textPrimary, textSecondary, etc.)
- Update tab navigation to include Settings tab
- Move logout from Header to Settings screen
2026-01-24 16:57:33 +01:00
25 changed files with 558 additions and 297 deletions

View File

@@ -72,30 +72,33 @@ src/
│ ├── login.tsx # Login screen │ ├── login.tsx # Login screen
│ ├── register.tsx # Registration screen │ ├── register.tsx # Registration screen
│ ├── (tabs)/ # Tab navigation group │ ├── (tabs)/ # Tab navigation group
│ │ ├── _layout.tsx # Tab bar configuration │ │ ├── _layout.tsx # Tab bar configuration (themed)
│ │ ├── chat.tsx # Chat screen (AI conversation) │ │ ├── chat.tsx # Chat screen (AI conversation)
│ │ ── calendar.tsx # Calendar overview │ │ ── calendar.tsx # Calendar overview
│ │ └── settings.tsx # Settings screen (theme switcher, logout)
│ ├── event/ │ ├── event/
│ │ └── [id].tsx # Event detail screen (dynamic route) │ │ └── [id].tsx # Event detail screen (dynamic route)
│ └── note/ │ └── note/
│ └── [id].tsx # Note editor for event (dynamic route) │ └── [id].tsx # Note editor for event (dynamic route)
├── components/ ├── components/
│ ├── BaseBackground.tsx # Common screen wrapper │ ├── AuthGuard.tsx # Auth wrapper: loads user, shows loading, redirects if unauthenticated
│ ├── Header.tsx # Header component with logout button │ ├── BaseBackground.tsx # Common screen wrapper (themed)
│ ├── AuthButton.tsx # Reusable button for auth screens (with shadow) │ ├── BaseButton.tsx # Reusable button component (themed, supports children)
│ ├── Header.tsx # Header component (themed)
│ ├── AuthButton.tsx # Reusable button for auth screens (themed, with shadow)
│ ├── ChatBubble.tsx # Reusable chat bubble component (used by ChatMessage & TypingIndicator) │ ├── ChatBubble.tsx # Reusable chat bubble component (used by ChatMessage & TypingIndicator)
│ ├── TypingIndicator.tsx # Animated typing indicator (. .. ...) shown while waiting for AI response │ ├── TypingIndicator.tsx # Animated typing indicator (. .. ...) shown while waiting for AI response
│ ├── EventCardBase.tsx # Shared event card layout with icons (used by EventCard & ProposedEventCard) │ ├── EventCardBase.tsx # Shared event card layout with icons (used by EventCard & ProposedEventCard)
│ ├── EventCard.tsx # Calendar event card (uses EventCardBase + edit/delete buttons) │ ├── EventCard.tsx # Calendar event card (uses EventCardBase + edit/delete buttons)
│ ├── EventConfirmDialog.tsx # AI-proposed event confirmation modal │ ├── EventConfirmDialog.tsx # AI-proposed event confirmation modal (skeleton)
│ └── ProposedEventCard.tsx # Chat event proposal (uses EventCardBase + confirm/reject buttons) │ └── ProposedEventCard.tsx # Chat event proposal (uses EventCardBase + confirm/reject buttons)
├── Themes.tsx # Centralized color/theme definitions ├── Themes.tsx # Theme definitions: THEMES object with defaultLight/defaultDark, Theme type
├── logging/ ├── logging/
│ ├── index.ts # Re-exports │ ├── index.ts # Re-exports
│ └── logger.ts # react-native-logs config (apiLogger, storeLogger) │ └── logger.ts # react-native-logs config (apiLogger, storeLogger)
├── services/ ├── services/
│ ├── index.ts # Re-exports all services │ ├── index.ts # Re-exports all services
│ ├── ApiClient.ts # HTTP client with X-User-Id header injection, request logging │ ├── ApiClient.ts # HTTP client with X-User-Id header injection, request logging, handles empty responses (204)
│ ├── AuthService.ts # login(), register(), logout() - calls API and updates AuthStore │ ├── AuthService.ts # login(), register(), logout() - calls API and updates AuthStore
│ ├── EventService.ts # getAll(), getById(), getByDateRange(), create(), update(), delete() │ ├── EventService.ts # getAll(), getById(), getByDateRange(), create(), update(), delete()
│ └── ChatService.ts # sendMessage(), confirmEvent(), rejectEvent(), getConversations(), getConversation() │ └── ChatService.ts # sendMessage(), confirmEvent(), rejectEvent(), getConversations(), getConversation()
@@ -104,10 +107,54 @@ src/
├── AuthStore.ts # user, isAuthenticated, isLoading, login(), logout(), loadStoredUser() ├── AuthStore.ts # user, isAuthenticated, isLoading, login(), logout(), loadStoredUser()
│ # Uses expo-secure-store (native) / localStorage (web) │ # Uses expo-secure-store (native) / localStorage (web)
├── ChatStore.ts # messages[], isWaitingForResponse, addMessage(), addMessages(), updateMessage(), clearMessages(), setWaitingForResponse(), chatMessageToMessageData() ├── ChatStore.ts # messages[], isWaitingForResponse, addMessage(), addMessages(), updateMessage(), clearMessages(), setWaitingForResponse(), chatMessageToMessageData()
── EventsStore.ts # events[], setEvents(), addEvent(), updateEvent(), deleteEvent() ── EventsStore.ts # events[], setEvents(), addEvent(), updateEvent(), deleteEvent()
└── ThemeStore.ts # theme, setTheme() - reactive theme switching with Zustand
``` ```
**Routing:** Tab-based navigation with Chat and Calendar as main screens. Auth screens (login, register) outside tabs. Dynamic routes for event detail and note editing. **Routing:** Tab-based navigation with Chat, Calendar, and Settings as main screens. Auth screens (login, register) outside tabs. Dynamic routes for event detail and note editing.
**Authentication Flow:**
- `AuthGuard` component wraps the tab layout in `(tabs)/_layout.tsx`
- On app start, `AuthGuard` calls `loadStoredUser()` and shows loading indicator
- If not authenticated, redirects to `/login`
- `index.tsx` simply redirects to `/(tabs)/chat` - AuthGuard handles the rest
- This pattern handles Expo Router's navigation state caching (avoids race conditions)
### Theme System
The app supports multiple themes (light/dark) via a reactive Zustand store.
**Theme Structure (`Themes.tsx`):**
```typescript
export type Theme = {
chatBot, primeFg, primeBg, secondaryBg, messageBorderBg, placeholderBg,
calenderBg, confirmButton, rejectButton, disabledButton, buttonText,
textPrimary, textSecondary, textMuted, eventIndicator, borderPrimary, shadowColor
};
export const THEMES = {
defaultLight: { ... },
defaultDark: { ... }
} as const satisfies Record<string, Theme>;
```
**Usage in Components:**
```typescript
import { useThemeStore } from "../stores/ThemeStore";
const MyComponent = () => {
const { theme } = useThemeStore();
return <View style={{ backgroundColor: theme.primeBg }} />;
};
```
**Theme Switching:**
```typescript
const { setTheme } = useThemeStore();
setTheme("defaultDark"); // or "defaultLight"
```
**Note:** `shadowColor` only works on iOS. Android uses `elevation` with system-defined shadow colors.
### Backend Architecture (apps/server) ### Backend Architecture (apps/server)
@@ -373,13 +420,21 @@ NODE_ENV=development # development = pretty logs, production = JSON
- **Authentication fully implemented:** - **Authentication fully implemented:**
- `AuthStore`: Manages user state with expo-secure-store (native) / localStorage (web) - `AuthStore`: Manages user state with expo-secure-store (native) / localStorage (web)
- `AuthService`: login(), register(), logout() - calls backend API - `AuthService`: login(), register(), logout() - calls backend API
- `ApiClient`: Automatically injects X-User-Id header for authenticated requests - `ApiClient`: Automatically injects X-User-Id header for authenticated requests, handles empty responses (204)
- `AuthGuard`: Reusable component that wraps protected routes - loads user, shows loading, redirects if unauthenticated
- Login screen: Supports email OR userName login - Login screen: Supports email OR userName login
- Register screen: Email validation, checks for existing email/userName - Register screen: Email validation, checks for existing email/userName
- `AuthButton`: Reusable button component with shadow effect - `AuthButton`: Reusable button component with themed shadow
- `Header`: Contains logout button on all screens - `Header`: Themed header component (logout moved to Settings)
- `index.tsx`: Auth redirect - checks stored user on app start - `(tabs)/_layout.tsx`: Wraps tabs with AuthGuard for protected access
- Tab navigation (Chat, Calendar) implemented with basic UI - `index.tsx`: Simple redirect to chat (AuthGuard handles auth)
- **Theme system fully implemented:**
- `ThemeStore`: Zustand store with theme state and setTheme()
- `Themes.tsx`: THEMES object with defaultLight/defaultDark variants
- All components use `useThemeStore()` for reactive theme colors
- Settings screen with theme switcher (light/dark)
- `BaseButton`: Reusable themed button component
- Tab navigation (Chat, Calendar, Settings) implemented with themed UI
- Calendar screen fully functional: - Calendar screen fully functional:
- Month navigation with grid display and Ionicons (chevron-back/forward) - Month navigation with grid display and Ionicons (chevron-back/forward)
- MonthSelector dropdown with infinite scroll (dynamically loads months, lazy-loaded when modal opens, cleared on close for memory efficiency) - MonthSelector dropdown with infinite scroll (dynamically loads months, lazy-loaded when modal opens, cleared on close for memory efficiency)
@@ -393,7 +448,7 @@ NODE_ENV=development # development = pretty logs, production = JSON
- Arrow navigation between proposals with "Event X von Y" counter - Arrow navigation between proposals with "Event X von Y" counter
- Each proposal individually confirmable/rejectable - Each proposal individually confirmable/rejectable
- **Typing indicator**: Animated dots (. .. ...) shown after 500ms delay while waiting for AI response - **Typing indicator**: Animated dots (. .. ...) shown after 500ms delay while waiting for AI response
- Messages persisted to database via ChatService and loaded on mount - Messages persisted to database via ChatService, loaded via `useFocusEffect` when screen gains focus
- Tracks conversationId for message continuity across sessions - Tracks conversationId for message continuity across sessions
- ChatStore with addMessages() for bulk loading, chatMessageToMessageData() helper - ChatStore with addMessages() for bulk loading, chatMessageToMessageData() helper
- KeyboardAvoidingView for proper keyboard handling (iOS padding, Android height) - KeyboardAvoidingView for proper keyboard handling (iOS padding, Android height)
@@ -404,9 +459,10 @@ NODE_ENV=development # development = pretty logs, production = JSON
- `EventCardBase`: Shared base component with event layout (header, date/time/recurring icons, description) - used by both EventCard and ProposedEventCard - `EventCardBase`: Shared base component with event layout (header, date/time/recurring icons, description) - used by both EventCard and ProposedEventCard
- `EventCard`: Uses EventCardBase + edit/delete buttons for calendar display - `EventCard`: Uses EventCardBase + edit/delete buttons for calendar display
- `ProposedEventCard`: Uses EventCardBase + confirm/reject buttons for chat proposals (supports create/update/delete actions) - `ProposedEventCard`: Uses EventCardBase + confirm/reject buttons for chat proposals (supports create/update/delete actions)
- `Themes.tsx`: Centralized color definitions including textPrimary, borderPrimary, eventIndicator, secondaryBg - `Themes.tsx`: Theme definitions with THEMES object (defaultLight, defaultDark) including all color tokens (textPrimary, borderPrimary, eventIndicator, secondaryBg, shadowColor, etc.)
- `EventsStore`: Zustand store with setEvents(), addEvent(), updateEvent(), deleteEvent() - stores ExpandedEvent[] - `EventsStore`: Zustand store with setEvents(), addEvent(), updateEvent(), deleteEvent() - stores ExpandedEvent[]
- `ChatStore`: Zustand store with addMessage(), addMessages(), updateMessage(), clearMessages(), isWaitingForResponse/setWaitingForResponse() for typing indicator - loads from server on mount and persists across tab switches - `ChatStore`: Zustand store with addMessage(), addMessages(), updateMessage(), clearMessages(), isWaitingForResponse/setWaitingForResponse() for typing indicator - loads from server on mount and persists across tab switches
- `ThemeStore`: Zustand store with theme/setTheme() for reactive theme switching across all components
- `ChatBubble`: Reusable chat bubble component with Tailwind styling, used by ChatMessage and TypingIndicator - `ChatBubble`: Reusable chat bubble component with Tailwind styling, used by ChatMessage and TypingIndicator
- `TypingIndicator`: Animated typing indicator component showing `. → .. → ...` loop while waiting for AI response - `TypingIndicator`: Animated typing indicator component showing `. → .. → ...` loop while waiting for AI response
- Event Detail and Note screens exist as skeletons - Event Detail and Note screens exist as skeletons

View File

@@ -2,7 +2,7 @@
"expo": { "expo": {
"jsEngine": "hermes", "jsEngine": "hermes",
"name": "CalChat", "name": "CalChat",
"slug": "calchat", "slug": "caldav",
"version": "1.0.0", "version": "1.0.0",
"orientation": "portrait", "orientation": "portrait",
"scheme": "calchat", "scheme": "calchat",
@@ -32,6 +32,7 @@
"eas": { "eas": {
"projectId": "b722dde6-7d89-48ff-9095-e007e7c7da87" "projectId": "b722dde6-7d89-48ff-9095-e007e7c7da87"
} }
} },
"owner": "gilmour109"
} }
} }

View File

@@ -1,4 +1,4 @@
type Theme = { export type Theme = {
chatBot: string; chatBot: string;
primeFg: string; primeFg: string;
primeBg: string; primeBg: string;
@@ -15,9 +15,11 @@ type Theme = {
textMuted: string; textMuted: string;
eventIndicator: string; eventIndicator: string;
borderPrimary: string; borderPrimary: string;
shadowColor: string;
}; };
const defaultLight: Theme = { export const THEMES = {
defaultLight: {
chatBot: "#DE6C20", chatBot: "#DE6C20",
primeFg: "#3B3329", primeFg: "#3B3329",
primeBg: "#FFEEDE", primeBg: "#FFEEDE",
@@ -34,7 +36,25 @@ const defaultLight: Theme = {
textMuted: "#888", textMuted: "#888",
eventIndicator: "#DE6C20", eventIndicator: "#DE6C20",
borderPrimary: "#000000", borderPrimary: "#000000",
}; shadowColor: "#000000",
},
let currentTheme: Theme = defaultLight; defaultDark: {
export default currentTheme; chatBot: "#DE6C20",
primeFg: "#F5E6D3",
primeBg: "#1A1512",
secondaryBg: "#2A2420",
messageBorderBg: "#3A3430",
placeholderBg: "#4A4440",
calenderBg: "#3D2A1A",
confirmButton: "#22c55e",
rejectButton: "#ef4444",
disabledButton: "#555",
buttonText: "#FFFFFF",
textPrimary: "#FFFFFF",
textSecondary: "#AAA",
textMuted: "#777",
eventIndicator: "#DE6C20",
borderPrimary: "#FFFFFF",
shadowColor: "#FFFFFF",
}
} as const satisfies Record<string, Theme>;

View File

@@ -1,9 +1,12 @@
import { Ionicons } from "@expo/vector-icons"; import { Ionicons } from "@expo/vector-icons";
import { Tabs } from "expo-router"; import { Tabs } from "expo-router";
import theme from "../../Themes"; import { useThemeStore } from "../../stores/ThemeStore";
import { AuthGuard } from "../../components/AuthGuard";
export default function TabLayout() { export default function TabLayout() {
const { theme } = useThemeStore();
return ( return (
<AuthGuard>
<Tabs <Tabs
screenOptions={{ screenOptions={{
headerShown: false, headerShown: false,
@@ -30,6 +33,16 @@ export default function TabLayout() {
), ),
}} }}
/> />
<Tabs.Screen
name="settings"
options={{
title: "Settings",
tabBarIcon: ({ color }) => (
<Ionicons size={28} name="settings" color={color} />
),
}}
/>
</Tabs> </Tabs>
</AuthGuard>
); );
} }

View File

@@ -19,7 +19,7 @@ import React, {
} from "react"; } from "react";
import { useFocusEffect } from "expo-router"; import { useFocusEffect } from "expo-router";
import { Ionicons } from "@expo/vector-icons"; import { Ionicons } from "@expo/vector-icons";
import currentTheme from "../../Themes"; import { useThemeStore } from "../../stores/ThemeStore";
import BaseBackground from "../../components/BaseBackground"; import BaseBackground from "../../components/BaseBackground";
import { FlashList } from "@shopify/flash-list"; import { FlashList } from "@shopify/flash-list";
import { EventService } from "../../services"; import { EventService } from "../../services";
@@ -33,6 +33,14 @@ type MonthItem = {
label: string; // e.g. "January 2024" label: string; // e.g. "January 2024"
}; };
/**
* Formats a Date object to a string key in YYYY-MM-DD format.
* Used for grouping and looking up events by date.
*/
const getDateKey = (date: Date): string => {
return `${date.getFullYear()}-${String(date.getMonth() + 1).padStart(2, "0")}-${String(date.getDate()).padStart(2, "0")}`;
};
const generateMonths = ( const generateMonths = (
centerYear: number, centerYear: number,
centerMonth: number, centerMonth: number,
@@ -108,7 +116,7 @@ const Calendar = () => {
const map = new Map<string, ExpandedEvent[]>(); const map = new Map<string, ExpandedEvent[]>();
events.forEach((e) => { events.forEach((e) => {
const date = new Date(e.occurrenceStart); const date = new Date(e.occurrenceStart);
const key = `${date.getFullYear()}-${String(date.getMonth() + 1).padStart(2, "0")}-${String(date.getDate()).padStart(2, "0")}`; const key = getDateKey(date);
if (!map.has(key)) map.set(key, []); if (!map.has(key)) map.set(key, []);
map.get(key)!.push(e); map.get(key)!.push(e);
}); });
@@ -157,7 +165,7 @@ const Calendar = () => {
deleteEvent(event.id); deleteEvent(event.id);
// Close overlay if no more events for this date // Close overlay if no more events for this date
if (selectedDate) { if (selectedDate) {
const dateKey = `${selectedDate.getFullYear()}-${String(selectedDate.getMonth() + 1).padStart(2, "0")}-${String(selectedDate.getDate()).padStart(2, "0")}`; const dateKey = getDateKey(selectedDate);
const remainingEvents = eventsByDate.get(dateKey) || []; const remainingEvents = eventsByDate.get(dateKey) || [];
if (remainingEvents.length <= 1) { if (remainingEvents.length <= 1) {
setSelectedDate(null); setSelectedDate(null);
@@ -175,7 +183,7 @@ const Calendar = () => {
// Get events for selected date // Get events for selected date
const selectedDateEvents = useMemo(() => { const selectedDateEvents = useMemo(() => {
if (!selectedDate) return []; if (!selectedDate) return [];
const key = `${selectedDate.getFullYear()}-${String(selectedDate.getMonth() + 1).padStart(2, "0")}-${String(selectedDate.getDate()).padStart(2, "0")}`; const key = getDateKey(selectedDate);
return eventsByDate.get(key) || []; return eventsByDate.get(key) || [];
}, [selectedDate, eventsByDate]); }, [selectedDate, eventsByDate]);
@@ -226,6 +234,7 @@ const EventOverlay = ({
onEditEvent, onEditEvent,
onDeleteEvent, onDeleteEvent,
}: EventOverlayProps) => { }: EventOverlayProps) => {
const { theme } = useThemeStore();
if (!date) return null; if (!date) return null;
const dateString = date.toLocaleDateString("de-DE", { const dateString = date.toLocaleDateString("de-DE", {
@@ -250,9 +259,9 @@ const EventOverlay = ({
<Pressable <Pressable
className="w-11/12 max-h-3/4 rounded-2xl overflow-hidden" className="w-11/12 max-h-3/4 rounded-2xl overflow-hidden"
style={{ style={{
backgroundColor: currentTheme.primeBg, backgroundColor: theme.primeBg,
borderWidth: 4, borderWidth: 4,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
onPress={(e) => e.stopPropagation()} onPress={(e) => e.stopPropagation()}
> >
@@ -260,13 +269,13 @@ const EventOverlay = ({
<View <View
className="px-4 py-3" className="px-4 py-3"
style={{ style={{
backgroundColor: currentTheme.chatBot, backgroundColor: theme.chatBot,
borderBottomWidth: 3, borderBottomWidth: 3,
borderBottomColor: currentTheme.borderPrimary, borderBottomColor: theme.borderPrimary,
}} }}
> >
<Text className="font-bold text-lg">{dateString}</Text> <Text className="font-bold text-lg" style={{ color: theme.textPrimary }}>{dateString}</Text>
<Text> <Text style={{ color: theme.textPrimary }}>
{events.length} {events.length === 1 ? "Termin" : "Termine"} {events.length} {events.length === 1 ? "Termin" : "Termine"}
</Text> </Text>
</View> </View>
@@ -289,10 +298,10 @@ const EventOverlay = ({
className="py-3 items-center" className="py-3 items-center"
style={{ style={{
borderTopWidth: 1, borderTopWidth: 1,
borderTopColor: currentTheme.placeholderBg, borderTopColor: theme.placeholderBg,
}} }}
> >
<Text style={{ color: currentTheme.primeFg }} className="font-bold"> <Text style={{ color: theme.primeFg }} className="font-bold">
Schließen Schließen
</Text> </Text>
</Pressable> </Pressable>
@@ -319,6 +328,7 @@ const MonthSelector = ({
currentMonthIndex, currentMonthIndex,
onSelectMonth, onSelectMonth,
}: MonthSelectorProps) => { }: MonthSelectorProps) => {
const { theme } = useThemeStore();
const heightAnim = useRef(new Animated.Value(0)).current; const heightAnim = useRef(new Animated.Value(0)).current;
const listRef = useRef<React.ComponentRef<typeof FlashList<MonthItem>>>(null); const listRef = useRef<React.ComponentRef<typeof FlashList<MonthItem>>>(null);
const INITIAL_RANGE = 12; // 12 months before and after current const INITIAL_RANGE = 12; // 12 months before and after current
@@ -397,11 +407,11 @@ const MonthSelector = ({
style={{ style={{
backgroundColor: backgroundColor:
item.monthIndex % 2 === 0 item.monthIndex % 2 === 0
? currentTheme.primeBg ? theme.primeBg
: currentTheme.secondaryBg, : theme.secondaryBg,
}} }}
> >
<Text className="text-xl" style={{ color: currentTheme.primeFg }}> <Text className="text-xl" style={{ color: theme.primeFg }}>
{item.label} {item.label}
</Text> </Text>
</View> </View>
@@ -423,9 +433,9 @@ const MonthSelector = ({
left: position.left, left: position.left,
width: position.width, width: position.width,
height: heightAnim, height: heightAnim,
backgroundColor: currentTheme.primeBg, backgroundColor: theme.primeBg,
borderWidth: 2, borderWidth: 2,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
borderRadius: 8, borderRadius: 8,
}} }}
> >
@@ -457,6 +467,7 @@ type CalendarHeaderProps = {
}; };
const CalendarHeader = (props: CalendarHeaderProps) => { const CalendarHeader = (props: CalendarHeaderProps) => {
const { theme } = useThemeStore();
const [modalVisible, setModalVisible] = useState(false); const [modalVisible, setModalVisible] = useState(false);
const [dropdownPosition, setDropdownPosition] = useState({ const [dropdownPosition, setDropdownPosition] = useState({
top: 0, top: 0,
@@ -482,16 +493,16 @@ const CalendarHeader = (props: CalendarHeaderProps) => {
ref={containerRef} ref={containerRef}
className="relative flex flex-row items-center justify-around" className="relative flex flex-row items-center justify-around"
> >
<Text className="text-4xl px-1"> <Text className="text-4xl px-1" style={{ color: theme.textPrimary }}>
{MONTHS[props.monthIndex]} {props.currentYear} {MONTHS[props.monthIndex]} {props.currentYear}
</Text> </Text>
<Pressable <Pressable
className="flex justify-center items-center w-12 h-12 border rounded-lg" className="flex justify-center items-center w-12 h-12 border rounded-lg"
style={{ style={{
borderColor: currentTheme.primeFg, borderColor: theme.primeFg,
backgroundColor: currentTheme.chatBot, backgroundColor: theme.chatBot,
// iOS shadow // iOS shadow
shadowColor: "#000", shadowColor: theme.shadowColor,
shadowOffset: { width: 0, height: 3 }, shadowOffset: { width: 0, height: 3 },
shadowOpacity: 0.35, shadowOpacity: 0.35,
shadowRadius: 5, shadowRadius: 5,
@@ -503,7 +514,7 @@ const CalendarHeader = (props: CalendarHeaderProps) => {
<Ionicons <Ionicons
name="chevron-down" name="chevron-down"
size={28} size={28}
color={currentTheme.primeFg} color={theme.primeFg}
/> />
</Pressable> </Pressable>
</View> </View>
@@ -528,15 +539,17 @@ type ChangeMonthButtonProps = {
icon: "chevron-back" | "chevron-forward"; icon: "chevron-back" | "chevron-forward";
}; };
const ChangeMonthButton = (props: ChangeMonthButtonProps) => ( const ChangeMonthButton = (props: ChangeMonthButtonProps) => {
const { theme } = useThemeStore();
return (
<Pressable <Pressable
onPress={props.onPress} onPress={props.onPress}
className="w-16 h-16 flex items-center justify-center mx-2 rounded-xl border border-solid" className="w-16 h-16 flex items-center justify-center mx-2 rounded-xl border border-solid"
style={{ style={{
backgroundColor: currentTheme.chatBot, backgroundColor: theme.chatBot,
borderColor: currentTheme.primeFg, borderColor: theme.primeFg,
// iOS shadow // iOS shadow
shadowColor: "#000", shadowColor: theme.shadowColor,
shadowOffset: { width: 0, height: 4 }, shadowOffset: { width: 0, height: 4 },
shadowOpacity: 0.3, shadowOpacity: 0.3,
shadowRadius: 8, shadowRadius: 8,
@@ -547,23 +560,27 @@ const ChangeMonthButton = (props: ChangeMonthButtonProps) => (
<Ionicons <Ionicons
name={props.icon} name={props.icon}
size={48} size={48}
color={currentTheme.primeFg} color={theme.primeFg}
style={{ style={{
marginLeft: props.icon === "chevron-forward" ? 4 : 0, marginLeft: props.icon === "chevron-forward" ? 4 : 0,
marginRight: props.icon === "chevron-back" ? 4 : 0, marginRight: props.icon === "chevron-back" ? 4 : 0,
}} }}
/> />
</Pressable> </Pressable>
); );
};
const WeekDaysLine = () => ( const WeekDaysLine = () => {
const { theme } = useThemeStore();
return (
<View className="flex flex-row items-center justify-around px-2 gap-2"> <View className="flex flex-row items-center justify-around px-2 gap-2">
{/* TODO: px and gap need fine tuning to perfectly align with the grid */} {/* TODO: px and gap need fine tuning to perfectly align with the grid */}
{DAYS.map((day, i) => ( {DAYS.map((day, i) => (
<Text key={i}>{day.substring(0, 2).toUpperCase()}</Text> <Text key={i} style={{ color: theme.textPrimary }}>{day.substring(0, 2).toUpperCase()}</Text>
))} ))}
</View> </View>
); );
};
type CalendarGridProps = { type CalendarGridProps = {
month: Month; month: Month;
@@ -573,6 +590,7 @@ type CalendarGridProps = {
}; };
const CalendarGrid = (props: CalendarGridProps) => { const CalendarGrid = (props: CalendarGridProps) => {
const { theme } = useThemeStore();
const { baseDate, dateOffset } = useMemo(() => { const { baseDate, dateOffset } = useMemo(() => {
const monthIndex = MONTHS.indexOf(props.month); const monthIndex = MONTHS.indexOf(props.month);
const base = new Date(props.year, monthIndex, 1); const base = new Date(props.year, monthIndex, 1);
@@ -587,15 +605,11 @@ const CalendarGrid = (props: CalendarGridProps) => {
return date; return date;
}; };
const getDateKey = (date: Date): string => {
return `${date.getFullYear()}-${String(date.getMonth() + 1).padStart(2, "0")}-${String(date.getDate()).padStart(2, "0")}`;
};
return ( return (
<View <View
className="h-full flex-1 flex-col flex-wrap gap-2 p-2" className="h-full flex-1 flex-col flex-wrap gap-2 p-2"
style={{ style={{
backgroundColor: currentTheme.calenderBg, backgroundColor: theme.calenderBg,
}} }}
> >
{Array.from({ length: 6 }).map((_, i) => ( {Array.from({ length: 6 }).map((_, i) => (
@@ -631,6 +645,7 @@ type SingleDayProps = {
}; };
const SingleDay = (props: SingleDayProps) => { const SingleDay = (props: SingleDayProps) => {
const { theme } = useThemeStore();
const isSameMonth = MONTHS[props.date.getMonth()] === props.month; const isSameMonth = MONTHS[props.date.getMonth()] === props.month;
return ( return (
@@ -638,11 +653,12 @@ const SingleDay = (props: SingleDayProps) => {
onPress={props.onPress} onPress={props.onPress}
className="h-full flex-1 aspect-auto rounded-xl items-center justify-between py-1" className="h-full flex-1 aspect-auto rounded-xl items-center justify-between py-1"
style={{ style={{
backgroundColor: currentTheme.primeBg, backgroundColor: theme.primeBg,
}} }}
> >
<Text <Text
className={`text-xl ` + (isSameMonth ? "text-black" : "text-black/50")} className="text-xl"
style={{ color: theme.textPrimary, opacity: isSameMonth ? 1 : 0.5 }}
> >
{props.date.getDate()} {props.date.getDate()}
</Text> </Text>
@@ -651,7 +667,7 @@ const SingleDay = (props: SingleDayProps) => {
{props.hasEvents && ( {props.hasEvents && (
<View <View
className="w-2 h-2 rounded-full" className="w-2 h-2 rounded-full"
style={{ backgroundColor: currentTheme.eventIndicator }} style={{ backgroundColor: theme.eventIndicator }}
/> />
)} )}
</Pressable> </Pressable>

View File

@@ -7,14 +7,16 @@ import {
Platform, Platform,
Keyboard, Keyboard,
} from "react-native"; } from "react-native";
import currentTheme from "../../Themes"; import { useThemeStore } from "../../stores/ThemeStore";
import React, { useState, useRef, useEffect } from "react"; import React, { useState, useRef, useEffect, useCallback } from "react";
import { useFocusEffect } from "expo-router";
import Header from "../../components/Header"; import Header from "../../components/Header";
import BaseBackground from "../../components/BaseBackground"; import BaseBackground from "../../components/BaseBackground";
import { FlashList } from "@shopify/flash-list"; import { FlashList } from "@shopify/flash-list";
import { ChatService } from "../../services"; import { ChatService } from "../../services";
import { import {
useChatStore, useChatStore,
useAuthStore,
chatMessageToMessageData, chatMessageToMessageData,
MessageData, MessageData,
} from "../../stores"; } from "../../stores";
@@ -45,6 +47,7 @@ type ChatInputProps = {
const TYPING_INDICATOR_DELAY_MS = 500; const TYPING_INDICATOR_DELAY_MS = 500;
const Chat = () => { const Chat = () => {
const { isAuthenticated, isLoading: isAuthLoading } = useAuthStore();
const { const {
messages, messages,
addMessage, addMessage,
@@ -68,8 +71,11 @@ const Chat = () => {
return () => keyboardDidShow.remove(); return () => keyboardDidShow.remove();
}, []); }, []);
// Load existing messages from database on mount // Load existing messages from database once authenticated and screen is focused
useEffect(() => { useFocusEffect(
useCallback(() => {
if (isAuthLoading || !isAuthenticated) return;
const fetchMessages = async () => { const fetchMessages = async () => {
try { try {
const conversationSummaries = await ChatService.getConversations(); const conversationSummaries = await ChatService.getConversations();
@@ -88,7 +94,8 @@ const Chat = () => {
} }
}; };
fetchMessages(); fetchMessages();
}, []); }, [isAuthLoading, isAuthenticated]),
);
const scrollToEnd = () => { const scrollToEnd = () => {
setTimeout(() => { setTimeout(() => {
@@ -234,20 +241,21 @@ const Chat = () => {
}; };
const ChatHeader = () => { const ChatHeader = () => {
const { theme } = useThemeStore();
return ( return (
<Header className="flex flex-row items-center"> <Header className="flex flex-row items-center">
<View <View
className="ml-3 w-12 h-12 rounded-3xl border border-solid" className="ml-3 w-12 h-12 rounded-3xl border border-solid"
style={{ style={{
backgroundColor: currentTheme.placeholderBg, backgroundColor: theme.placeholderBg,
borderColor: currentTheme.primeFg, borderColor: theme.primeFg,
}} }}
></View> ></View>
<Text className="text-lg pl-3">CalChat</Text> <Text className="text-lg pl-3" style={{ color: theme.textPrimary }}>CalChat</Text>
<View <View
className="h-2 bg-black" className="h-2 bg-black"
style={{ style={{
shadowColor: "#000", shadowColor: theme.shadowColor,
shadowOffset: { shadowOffset: {
width: 0, width: 0,
height: 5, height: 5,
@@ -266,6 +274,7 @@ const MIN_INPUT_HEIGHT = 40;
const MAX_INPUT_HEIGHT = 150; const MAX_INPUT_HEIGHT = 150;
const ChatInput = ({ onSend }: ChatInputProps) => { const ChatInput = ({ onSend }: ChatInputProps) => {
const { theme } = useThemeStore();
const [text, setText] = useState(""); const [text, setText] = useState("");
const handleSend = () => { const handleSend = () => {
@@ -280,7 +289,8 @@ const ChatInput = ({ onSend }: ChatInputProps) => {
<TextInput <TextInput
className="flex-1 border border-solid rounded-2xl px-3 py-2 mr-2" className="flex-1 border border-solid rounded-2xl px-3 py-2 mr-2"
style={{ style={{
backgroundColor: currentTheme.messageBorderBg, backgroundColor: theme.messageBorderBg,
color: theme.textPrimary,
minHeight: MIN_INPUT_HEIGHT, minHeight: MIN_INPUT_HEIGHT,
maxHeight: MAX_INPUT_HEIGHT, maxHeight: MAX_INPUT_HEIGHT,
textAlignVertical: "top", textAlignVertical: "top",
@@ -288,14 +298,14 @@ const ChatInput = ({ onSend }: ChatInputProps) => {
onChangeText={setText} onChangeText={setText}
value={text} value={text}
placeholder="Nachricht..." placeholder="Nachricht..."
placeholderTextColor="#999" placeholderTextColor={theme.textMuted}
multiline multiline
/> />
<Pressable onPress={handleSend}> <Pressable onPress={handleSend}>
<View <View
className="w-10 h-10 rounded-full items-center justify-center" className="w-10 h-10 rounded-full items-center justify-center"
style={{ style={{
backgroundColor: currentTheme.placeholderBg, backgroundColor: theme.placeholderBg,
}} }}
/> />
</Pressable> </Pressable>
@@ -310,6 +320,7 @@ const ChatMessage = ({
onConfirm, onConfirm,
onReject, onReject,
}: ChatMessageProps) => { }: ChatMessageProps) => {
const { theme } = useThemeStore();
const [currentIndex, setCurrentIndex] = useState(0); const [currentIndex, setCurrentIndex] = useState(0);
const hasProposals = proposedChanges && proposedChanges.length > 0; const hasProposals = proposedChanges && proposedChanges.length > 0;
@@ -333,7 +344,7 @@ const ChatMessage = ({
minWidth: hasProposals ? "75%" : undefined, minWidth: hasProposals ? "75%" : undefined,
}} }}
> >
<Text className="p-2">{content}</Text> <Text className="p-2" style={{ color: theme.textPrimary }}>{content}</Text>
{hasProposals && currentProposal && onConfirm && onReject && ( {hasProposals && currentProposal && onConfirm && onReject && (
<View> <View>
@@ -350,7 +361,7 @@ const ChatMessage = ({
<Ionicons <Ionicons
name="chevron-back" name="chevron-back"
size={24} size={24}
color={currentTheme.primeFg} color={theme.primeFg}
/> />
</Pressable> </Pressable>
)} )}
@@ -375,7 +386,7 @@ const ChatMessage = ({
<Ionicons <Ionicons
name="chevron-forward" name="chevron-forward"
size={24} size={24}
color={currentTheme.primeFg} color={theme.primeFg}
/> />
</Pressable> </Pressable>
)} )}
@@ -385,7 +396,7 @@ const ChatMessage = ({
{hasMultiple && ( {hasMultiple && (
<Text <Text
className="text-center text-sm pb-2" className="text-center text-sm pb-2"
style={{ color: currentTheme.textSecondary || "#666" }} style={{ color: theme.textSecondary || "#666" }}
> >
Event {currentIndex + 1} von {proposedChanges.length} Event {currentIndex + 1} von {proposedChanges.length}
</Text> </Text>

View File

@@ -0,0 +1,60 @@
import { Text, View } from "react-native";
import BaseBackground from "../../components/BaseBackground";
import BaseButton from "../../components/BaseButton";
import { useThemeStore } from "../../stores/ThemeStore";
import { AuthService } from "../../services/AuthService";
import { router } from "expo-router";
import { Ionicons } from "@expo/vector-icons";
import Header from "../../components/Header";
import { THEMES } from "../../Themes";
const handleLogout = async () => {
await AuthService.logout();
router.replace("/login");
};
const Settings = () => {
const { theme, setTheme } = useThemeStore();
return (
<BaseBackground>
<Header>
<View className="h-full flex justify-center">
<Text className="text-center text-3xl font-bold">Settings</Text>
</View>
</Header>
<View className="flex items-center mt-4">
<BaseButton onPress={handleLogout} solid={true}>
<Ionicons name="log-out-outline" size={24} color={theme.primeFg} />{" "}
Logout
</BaseButton>
<View>
<Text
className="text-center text-2xl"
style={{ color: theme.textPrimary }}
>
Select Theme
</Text>
</View>
<BaseButton
solid={theme == THEMES.defaultLight}
onPress={() => {
setTheme("defaultLight");
}}
>
Default Light
</BaseButton>
<BaseButton
solid={theme == THEMES.defaultDark}
onPress={() => {
setTheme("defaultDark");
}}
>
Default Dark
</BaseButton>
</View>
</BaseBackground>
);
};
export default Settings;

View File

@@ -1,9 +1,11 @@
import { View, Text, TextInput, Pressable } from "react-native"; import { View, Text, TextInput, Pressable } from "react-native";
import { useLocalSearchParams } from "expo-router"; import { useLocalSearchParams } from "expo-router";
import BaseBackground from "../../components/BaseBackground"; import BaseBackground from "../../components/BaseBackground";
import { useThemeStore } from "../../stores/ThemeStore";
const EventDetailScreen = () => { const EventDetailScreen = () => {
const { id } = useLocalSearchParams<{ id: string }>(); const { id } = useLocalSearchParams<{ id: string }>();
const { theme } = useThemeStore();
// TODO: Fetch event by id using EventService.getById() // TODO: Fetch event by id using EventService.getById()
// TODO: Display event details (title, description, start/end time) // TODO: Display event details (title, description, start/end time)
@@ -17,23 +19,27 @@ const EventDetailScreen = () => {
return ( return (
<BaseBackground> <BaseBackground>
<View className="flex-1 p-4"> <View className="flex-1 p-4">
<Text className="text-2xl mb-4">Event Detail</Text> <Text className="text-2xl mb-4" style={{ color: theme.textPrimary }}>Event Detail</Text>
<Text className="text-gray-500 mb-4">ID: {id}</Text> <Text className="mb-4" style={{ color: theme.textSecondary }}>ID: {id}</Text>
<TextInput <TextInput
placeholder="Title" placeholder="Title"
placeholderTextColor={theme.textMuted}
className="w-full border rounded p-2 mb-4" className="w-full border rounded p-2 mb-4"
style={{ color: theme.textPrimary, borderColor: theme.borderPrimary, backgroundColor: theme.secondaryBg }}
/> />
<TextInput <TextInput
placeholder="Description" placeholder="Description"
placeholderTextColor={theme.textMuted}
multiline multiline
className="w-full border rounded p-2 mb-4 h-24" className="w-full border rounded p-2 mb-4 h-24"
style={{ color: theme.textPrimary, borderColor: theme.borderPrimary, backgroundColor: theme.secondaryBg }}
/> />
<View className="flex-row gap-2"> <View className="flex-row gap-2">
<Pressable className="bg-blue-500 p-3 rounded flex-1"> <Pressable className="p-3 rounded flex-1" style={{ backgroundColor: theme.confirmButton }}>
<Text className="text-white text-center">Save</Text> <Text className="text-center" style={{ color: theme.buttonText }}>Save</Text>
</Pressable> </Pressable>
<Pressable className="bg-red-500 p-3 rounded flex-1"> <Pressable className="p-3 rounded flex-1" style={{ backgroundColor: theme.rejectButton }}>
<Text className="text-white text-center">Delete</Text> <Text className="text-center" style={{ color: theme.buttonText }}>Delete</Text>
</Pressable> </Pressable>
</View> </View>
</View> </View>

View File

@@ -1,34 +1,6 @@
import { useEffect } from "react";
import { View, ActivityIndicator } from "react-native";
import { Redirect } from "expo-router"; import { Redirect } from "expo-router";
import { useAuthStore } from "../stores";
import currentTheme from "../Themes";
export default function Index() { export default function Index() {
const { isAuthenticated, isLoading, loadStoredUser } = useAuthStore(); // AuthGuard in (tabs)/_layout.tsx handles authentication
useEffect(() => {
loadStoredUser();
}, [loadStoredUser]);
if (isLoading) {
return (
<View
style={{
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: currentTheme.primeBg,
}}
>
<ActivityIndicator size="large" color={currentTheme.chatBot} />
</View>
);
}
if (isAuthenticated) {
return <Redirect href="/(tabs)/chat" />; return <Redirect href="/(tabs)/chat" />;
}
return <Redirect href="/login" />;
} }

View File

@@ -4,9 +4,10 @@ import { Link, router } from "expo-router";
import BaseBackground from "../components/BaseBackground"; import BaseBackground from "../components/BaseBackground";
import AuthButton from "../components/AuthButton"; import AuthButton from "../components/AuthButton";
import { AuthService } from "../services"; import { AuthService } from "../services";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
const LoginScreen = () => { const LoginScreen = () => {
const { theme } = useThemeStore();
const [identifier, setIdentifier] = useState(""); const [identifier, setIdentifier] = useState("");
const [password, setPassword] = useState(""); const [password, setPassword] = useState("");
const [error, setError] = useState<string | null>(null); const [error, setError] = useState<string | null>(null);
@@ -36,44 +37,44 @@ const LoginScreen = () => {
<View className="flex-1 justify-center items-center p-8"> <View className="flex-1 justify-center items-center p-8">
<Text <Text
className="text-3xl font-bold mb-8" className="text-3xl font-bold mb-8"
style={{ color: currentTheme.textPrimary }} style={{ color: theme.textPrimary }}
> >
Anmelden Anmelden
</Text> </Text>
{error && ( {error && (
<Text className="mb-4 text-center" style={{ color: currentTheme.rejectButton }}> <Text className="mb-4 text-center" style={{ color: theme.rejectButton }}>
{error} {error}
</Text> </Text>
)} )}
<TextInput <TextInput
placeholder="E-Mail oder Benutzername" placeholder="E-Mail oder Benutzername"
placeholderTextColor={currentTheme.textMuted} placeholderTextColor={theme.textMuted}
value={identifier} value={identifier}
onChangeText={setIdentifier} onChangeText={setIdentifier}
autoCapitalize="none" autoCapitalize="none"
className="w-full rounded-lg p-4 mb-4" className="w-full rounded-lg p-4 mb-4"
style={{ style={{
backgroundColor: currentTheme.secondaryBg, backgroundColor: theme.secondaryBg,
color: currentTheme.textPrimary, color: theme.textPrimary,
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
/> />
<TextInput <TextInput
placeholder="Passwort" placeholder="Passwort"
placeholderTextColor={currentTheme.textMuted} placeholderTextColor={theme.textMuted}
value={password} value={password}
onChangeText={setPassword} onChangeText={setPassword}
secureTextEntry secureTextEntry
className="w-full rounded-lg p-4 mb-6" className="w-full rounded-lg p-4 mb-6"
style={{ style={{
backgroundColor: currentTheme.secondaryBg, backgroundColor: theme.secondaryBg,
color: currentTheme.textPrimary, color: theme.textPrimary,
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
/> />
@@ -85,7 +86,7 @@ const LoginScreen = () => {
<Link href="/register" asChild> <Link href="/register" asChild>
<Pressable> <Pressable>
<Text style={{ color: currentTheme.chatBot }}> <Text style={{ color: theme.chatBot }}>
Noch kein Konto? Registrieren Noch kein Konto? Registrieren
</Text> </Text>
</Pressable> </Pressable>

View File

@@ -1,9 +1,11 @@
import { View, Text, TextInput, Pressable } from "react-native"; import { View, Text, TextInput, Pressable } from "react-native";
import { useLocalSearchParams } from "expo-router"; import { useLocalSearchParams } from "expo-router";
import BaseBackground from "../../components/BaseBackground"; import BaseBackground from "../../components/BaseBackground";
import { useThemeStore } from "../../stores/ThemeStore";
const NoteScreen = () => { const NoteScreen = () => {
const { id } = useLocalSearchParams<{ id: string }>(); const { id } = useLocalSearchParams<{ id: string }>();
const { theme } = useThemeStore();
// TODO: Fetch event by id using EventService.getById() // TODO: Fetch event by id using EventService.getById()
// TODO: Display and edit the event's note field // TODO: Display and edit the event's note field
@@ -15,16 +17,18 @@ const NoteScreen = () => {
return ( return (
<BaseBackground> <BaseBackground>
<View className="flex-1 p-4"> <View className="flex-1 p-4">
<Text className="text-2xl mb-4">Note</Text> <Text className="text-2xl mb-4" style={{ color: theme.textPrimary }}>Note</Text>
<Text className="text-gray-500 mb-4">Event ID: {id}</Text> <Text className="mb-4" style={{ color: theme.textSecondary }}>Event ID: {id}</Text>
<TextInput <TextInput
placeholder="Write your note here..." placeholder="Write your note here..."
placeholderTextColor={theme.textMuted}
multiline multiline
className="w-full border rounded p-2 flex-1 mb-4" className="w-full border rounded p-2 flex-1 mb-4"
textAlignVertical="top" textAlignVertical="top"
style={{ color: theme.textPrimary, borderColor: theme.borderPrimary, backgroundColor: theme.secondaryBg }}
/> />
<Pressable className="bg-blue-500 p-3 rounded"> <Pressable className="p-3 rounded" style={{ backgroundColor: theme.confirmButton }}>
<Text className="text-white text-center">Save Note</Text> <Text className="text-center" style={{ color: theme.buttonText }}>Save Note</Text>
</Pressable> </Pressable>
</View> </View>
</BaseBackground> </BaseBackground>

View File

@@ -4,11 +4,12 @@ import { Link, router } from "expo-router";
import BaseBackground from "../components/BaseBackground"; import BaseBackground from "../components/BaseBackground";
import AuthButton from "../components/AuthButton"; import AuthButton from "../components/AuthButton";
import { AuthService } from "../services"; import { AuthService } from "../services";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
const EMAIL_REGEX = /^[^\s@]+@[^\s@]+\.[^\s@]+$/; const EMAIL_REGEX = /^[^\s@]+@[^\s@]+\.[^\s@]+$/;
const RegisterScreen = () => { const RegisterScreen = () => {
const { theme } = useThemeStore();
const [email, setEmail] = useState(""); const [email, setEmail] = useState("");
const [userName, setUserName] = useState(""); const [userName, setUserName] = useState("");
const [password, setPassword] = useState(""); const [password, setPassword] = useState("");
@@ -44,60 +45,60 @@ const RegisterScreen = () => {
<View className="flex-1 justify-center items-center p-8"> <View className="flex-1 justify-center items-center p-8">
<Text <Text
className="text-3xl font-bold mb-8" className="text-3xl font-bold mb-8"
style={{ color: currentTheme.textPrimary }} style={{ color: theme.textPrimary }}
> >
Registrieren Registrieren
</Text> </Text>
{error && ( {error && (
<Text className="mb-4 text-center" style={{ color: currentTheme.rejectButton }}> <Text className="mb-4 text-center" style={{ color: theme.rejectButton }}>
{error} {error}
</Text> </Text>
)} )}
<TextInput <TextInput
placeholder="E-Mail" placeholder="E-Mail"
placeholderTextColor={currentTheme.textMuted} placeholderTextColor={theme.textMuted}
value={email} value={email}
onChangeText={setEmail} onChangeText={setEmail}
autoCapitalize="none" autoCapitalize="none"
keyboardType="email-address" keyboardType="email-address"
className="w-full rounded-lg p-4 mb-4" className="w-full rounded-lg p-4 mb-4"
style={{ style={{
backgroundColor: currentTheme.secondaryBg, backgroundColor: theme.secondaryBg,
color: currentTheme.textPrimary, color: theme.textPrimary,
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
/> />
<TextInput <TextInput
placeholder="Benutzername" placeholder="Benutzername"
placeholderTextColor={currentTheme.textMuted} placeholderTextColor={theme.textMuted}
value={userName} value={userName}
onChangeText={setUserName} onChangeText={setUserName}
autoCapitalize="none" autoCapitalize="none"
className="w-full rounded-lg p-4 mb-4" className="w-full rounded-lg p-4 mb-4"
style={{ style={{
backgroundColor: currentTheme.secondaryBg, backgroundColor: theme.secondaryBg,
color: currentTheme.textPrimary, color: theme.textPrimary,
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
/> />
<TextInput <TextInput
placeholder="Passwort" placeholder="Passwort"
placeholderTextColor={currentTheme.textMuted} placeholderTextColor={theme.textMuted}
value={password} value={password}
onChangeText={setPassword} onChangeText={setPassword}
secureTextEntry secureTextEntry
className="w-full rounded-lg p-4 mb-6" className="w-full rounded-lg p-4 mb-6"
style={{ style={{
backgroundColor: currentTheme.secondaryBg, backgroundColor: theme.secondaryBg,
color: currentTheme.textPrimary, color: theme.textPrimary,
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
/> />
@@ -109,7 +110,7 @@ const RegisterScreen = () => {
<Link href="/login" asChild> <Link href="/login" asChild>
<Pressable> <Pressable>
<Text style={{ color: currentTheme.chatBot }}> <Text style={{ color: theme.chatBot }}>
Bereits ein Konto? Anmelden Bereits ein Konto? Anmelden
</Text> </Text>
</Pressable> </Pressable>

View File

@@ -1,5 +1,5 @@
import { Pressable, Text, ActivityIndicator } from "react-native"; import { Pressable, Text, ActivityIndicator } from "react-native";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
interface AuthButtonProps { interface AuthButtonProps {
title: string; title: string;
@@ -8,6 +8,7 @@ interface AuthButtonProps {
} }
const AuthButton = ({ title, onPress, isLoading = false }: AuthButtonProps) => { const AuthButton = ({ title, onPress, isLoading = false }: AuthButtonProps) => {
const { theme } = useThemeStore();
return ( return (
<Pressable <Pressable
onPress={onPress} onPress={onPress}
@@ -15,9 +16,9 @@ const AuthButton = ({ title, onPress, isLoading = false }: AuthButtonProps) => {
className="w-full rounded-lg p-4 mb-4 border-4" className="w-full rounded-lg p-4 mb-4 border-4"
style={{ style={{
backgroundColor: isLoading backgroundColor: isLoading
? currentTheme.disabledButton ? theme.disabledButton
: currentTheme.chatBot, : theme.chatBot,
shadowColor: "#000", shadowColor: theme.shadowColor,
shadowOffset: { width: 0, height: 2 }, shadowOffset: { width: 0, height: 2 },
shadowOpacity: 0.25, shadowOpacity: 0.25,
shadowRadius: 3.84, shadowRadius: 3.84,
@@ -25,11 +26,11 @@ const AuthButton = ({ title, onPress, isLoading = false }: AuthButtonProps) => {
}} }}
> >
{isLoading ? ( {isLoading ? (
<ActivityIndicator color={currentTheme.buttonText} /> <ActivityIndicator color={theme.buttonText} />
) : ( ) : (
<Text <Text
className="text-center font-semibold text-lg" className="text-center font-semibold text-lg"
style={{ color: currentTheme.buttonText }} style={{ color: theme.buttonText }}
> >
{title} {title}
</Text> </Text>

View File

@@ -0,0 +1,46 @@
import { useEffect, ReactNode } from "react";
import { View, ActivityIndicator } from "react-native";
import { Redirect } from "expo-router";
import { useAuthStore } from "../stores";
import { useThemeStore } from "../stores/ThemeStore";
type AuthGuardProps = {
children: ReactNode;
};
/**
* Wraps content that requires authentication.
* - Loads stored user on mount
* - Shows loading indicator while checking auth state
* - Redirects to login if not authenticated
* - Renders children if authenticated
*/
export const AuthGuard = ({ children }: AuthGuardProps) => {
const { theme } = useThemeStore();
const { isAuthenticated, isLoading, loadStoredUser } = useAuthStore();
useEffect(() => {
loadStoredUser();
}, [loadStoredUser]);
if (isLoading) {
return (
<View
style={{
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: theme.primeBg,
}}
>
<ActivityIndicator size="large" color={theme.chatBot} />
</View>
);
}
if (!isAuthenticated) {
return <Redirect href="/login" />;
}
return <>{children}</>;
};

View File

@@ -1,5 +1,5 @@
import { View } from "react-native"; import { View } from "react-native";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
import { ReactNode } from "react"; import { ReactNode } from "react";
type BaseBackgroundProps = { type BaseBackgroundProps = {
@@ -8,11 +8,12 @@ type BaseBackgroundProps = {
}; };
const BaseBackground = (props: BaseBackgroundProps) => { const BaseBackground = (props: BaseBackgroundProps) => {
const { theme } = useThemeStore();
return ( return (
<View <View
className={`h-full ${props.className}`} className={`h-full ${props.className}`}
style={{ style={{
backgroundColor: currentTheme.primeBg, backgroundColor: theme.primeBg,
}} }}
> >
{props.children} {props.children}

View File

@@ -0,0 +1,39 @@
import { Pressable, Text } from "react-native";
import { useThemeStore } from "../stores/ThemeStore";
import { ReactNode } from "react";
type BaseButtonProps = {
children?: ReactNode;
onPress: () => void;
solid?: boolean;
};
const BaseButton = ({children, onPress, solid = false}: BaseButtonProps) => {
const { theme } = useThemeStore();
return (
<Pressable
className="w-11/12 rounded-lg p-4 mb-4 border-4"
onPress={onPress}
style={{
borderColor: theme.borderPrimary,
backgroundColor: solid
? theme.chatBot
: theme.primeBg,
shadowColor: theme.shadowColor,
shadowOffset: { width: 0, height: 2 },
shadowOpacity: 0.25,
shadowRadius: 3.84,
elevation: 5,
}}
>
<Text
className="text-center font-semibold text-lg"
style={{ color: theme.buttonText }}
>
{children}
</Text>
</Pressable>
);
};
export default BaseButton;

View File

@@ -1,5 +1,5 @@
import { View, ViewStyle } from "react-native"; import { View, ViewStyle } from "react-native";
import colors from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
type BubbleSide = "left" | "right"; type BubbleSide = "left" | "right";
@@ -11,7 +11,8 @@ type ChatBubbleProps = {
}; };
export function ChatBubble({ side, children, className = "", style }: ChatBubbleProps) { export function ChatBubble({ side, children, className = "", style }: ChatBubbleProps) {
const borderColor = side === "left" ? colors.chatBot : colors.primeFg; const { theme } = useThemeStore();
const borderColor = side === "left" ? theme.chatBot : theme.primeFg;
const sideClass = const sideClass =
side === "left" side === "left"
? "self-start ml-2 rounded-bl-sm" ? "self-start ml-2 rounded-bl-sm"
@@ -19,8 +20,8 @@ export function ChatBubble({ side, children, className = "", style }: ChatBubble
return ( return (
<View <View
className={`bg-white border-2 border-solid rounded-xl my-2 ${sideClass} ${className}`} className={`border-2 border-solid rounded-xl my-2 ${sideClass} ${className}`}
style={[{ borderColor, elevation: 8 }, style]} style={[{ borderColor, elevation: 8, backgroundColor: theme.secondaryBg }, style]}
> >
{children} {children}
</View> </View>

View File

@@ -1,7 +1,7 @@
import { View, Pressable } from "react-native"; import { View, Pressable } from "react-native";
import { ExpandedEvent } from "@calchat/shared"; import { ExpandedEvent } from "@calchat/shared";
import { Feather } from "@expo/vector-icons"; import { Feather } from "@expo/vector-icons";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
import { EventCardBase } from "./EventCardBase"; import { EventCardBase } from "./EventCardBase";
type EventCardProps = { type EventCardProps = {
@@ -11,6 +11,7 @@ type EventCardProps = {
}; };
export const EventCard = ({ event, onEdit, onDelete }: EventCardProps) => { export const EventCard = ({ event, onEdit, onDelete }: EventCardProps) => {
const { theme } = useThemeStore();
return ( return (
<View className="mb-3"> <View className="mb-3">
<EventCardBase <EventCardBase
@@ -27,23 +28,23 @@ export const EventCard = ({ event, onEdit, onDelete }: EventCardProps) => {
className="w-10 h-10 rounded-full items-center justify-center" className="w-10 h-10 rounded-full items-center justify-center"
style={{ style={{
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
> >
<Feather name="edit-2" size={18} color={currentTheme.textPrimary} /> <Feather name="edit-2" size={18} color={theme.textPrimary} />
</Pressable> </Pressable>
<Pressable <Pressable
onPress={onDelete} onPress={onDelete}
className="w-10 h-10 rounded-full items-center justify-center" className="w-10 h-10 rounded-full items-center justify-center"
style={{ style={{
borderWidth: 1, borderWidth: 1,
borderColor: currentTheme.borderPrimary, borderColor: theme.borderPrimary,
}} }}
> >
<Feather <Feather
name="trash-2" name="trash-2"
size={18} size={18}
color={currentTheme.textPrimary} color={theme.textPrimary}
/> />
</Pressable> </Pressable>
</View> </View>

View File

@@ -1,7 +1,7 @@
import { View, Text } from "react-native"; import { View, Text } from "react-native";
import { Feather } from "@expo/vector-icons"; import { Feather } from "@expo/vector-icons";
import { ReactNode } from "react"; import { ReactNode } from "react";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
type EventCardBaseProps = { type EventCardBaseProps = {
className?: string; className?: string;
@@ -60,34 +60,35 @@ export const EventCardBase = ({
isRecurring, isRecurring,
children, children,
}: EventCardBaseProps) => { }: EventCardBaseProps) => {
const { theme } = useThemeStore();
return ( return (
<View <View
className={`rounded-xl overflow-hidden ${className}`} className={`rounded-xl overflow-hidden ${className}`}
style={{ borderWidth: 2, borderColor: currentTheme.borderPrimary }} style={{ borderWidth: 2, borderColor: theme.borderPrimary }}
> >
{/* Header with title */} {/* Header with title */}
<View <View
className="px-3 py-2" className="px-3 py-2"
style={{ style={{
backgroundColor: currentTheme.chatBot, backgroundColor: theme.chatBot,
borderBottomWidth: 2, borderBottomWidth: 2,
borderBottomColor: currentTheme.borderPrimary, borderBottomColor: theme.borderPrimary,
}} }}
> >
<Text className="font-bold text-base">{title}</Text> <Text className="font-bold text-base" style={{ color: theme.textPrimary }}>{title}</Text>
</View> </View>
{/* Content */} {/* Content */}
<View className="px-3 py-2 bg-white"> <View className="px-3 py-2" style={{ backgroundColor: theme.secondaryBg }}>
{/* Date */} {/* Date */}
<View className="flex-row items-center mb-1"> <View className="flex-row items-center mb-1">
<Feather <Feather
name="calendar" name="calendar"
size={16} size={16}
color={currentTheme.textPrimary} color={theme.textPrimary}
style={{ marginRight: 8 }} style={{ marginRight: 8 }}
/> />
<Text style={{ color: currentTheme.textPrimary }}> <Text style={{ color: theme.textPrimary }}>
{formatDate(startTime)} {formatDate(startTime)}
</Text> </Text>
</View> </View>
@@ -97,10 +98,10 @@ export const EventCardBase = ({
<Feather <Feather
name="clock" name="clock"
size={16} size={16}
color={currentTheme.textPrimary} color={theme.textPrimary}
style={{ marginRight: 8 }} style={{ marginRight: 8 }}
/> />
<Text style={{ color: currentTheme.textPrimary }}> <Text style={{ color: theme.textPrimary }}>
{formatTime(startTime)} - {formatTime(endTime)} ( {formatTime(startTime)} - {formatTime(endTime)} (
{formatDuration(startTime, endTime)}) {formatDuration(startTime, endTime)})
</Text> </Text>
@@ -112,10 +113,10 @@ export const EventCardBase = ({
<Feather <Feather
name="repeat" name="repeat"
size={16} size={16}
color={currentTheme.textPrimary} color={theme.textPrimary}
style={{ marginRight: 8 }} style={{ marginRight: 8 }}
/> />
<Text style={{ color: currentTheme.textPrimary }}> <Text style={{ color: theme.textPrimary }}>
Wiederkehrend Wiederkehrend
</Text> </Text>
</View> </View>
@@ -124,7 +125,7 @@ export const EventCardBase = ({
{/* Description */} {/* Description */}
{description && ( {description && (
<Text <Text
style={{ color: currentTheme.textPrimary }} style={{ color: theme.textPrimary }}
className="text-sm mt-1" className="text-sm mt-1"
> >
{description} {description}

View File

@@ -1,5 +1,6 @@
import { View, Text, Modal, Pressable } from "react-native"; import { View, Text, Modal, Pressable } from "react-native";
import { CreateEventDTO } from "@calchat/shared"; import { CreateEventDTO } from "@calchat/shared";
import { useThemeStore } from "../stores/ThemeStore";
type EventConfirmDialogProps = { type EventConfirmDialogProps = {
visible: boolean; visible: boolean;
@@ -16,6 +17,8 @@ const EventConfirmDialog = ({
onReject: _onReject, onReject: _onReject,
onClose: _onClose, onClose: _onClose,
}: EventConfirmDialogProps) => { }: EventConfirmDialogProps) => {
const { theme } = useThemeStore();
// TODO: Display proposed event details (title, time, description) // TODO: Display proposed event details (title, time, description)
// TODO: Confirm button calls onConfirm and closes dialog // TODO: Confirm button calls onConfirm and closes dialog
// TODO: Reject button calls onReject and closes dialog // TODO: Reject button calls onReject and closes dialog
@@ -26,7 +29,7 @@ const EventConfirmDialog = ({
<Modal visible={false} transparent animationType="fade"> <Modal visible={false} transparent animationType="fade">
<View> <View>
<Pressable> <Pressable>
<Text>EventConfirmDialog - Not Implemented</Text> <Text style={{ color: theme.textPrimary }}>EventConfirmDialog - Not Implemented</Text>
</Pressable> </Pressable>
</View> </View>
</Modal> </Modal>

View File

@@ -1,42 +1,28 @@
import { View, Pressable } from "react-native"; import { View } from "react-native";
import { Ionicons } from "@expo/vector-icons"; import { useThemeStore } from "../stores/ThemeStore";
import { router } from "expo-router";
import currentTheme from "../Themes";
import { ReactNode } from "react"; import { ReactNode } from "react";
import { AuthService } from "../services";
type HeaderProps = { type HeaderProps = {
children?: ReactNode; children?: ReactNode;
className?: string; className?: string;
}; };
const handleLogout = async () => {
await AuthService.logout();
router.replace("/login");
};
const Header = (props: HeaderProps) => { const Header = (props: HeaderProps) => {
const { theme } = useThemeStore();
return ( return (
<View> <View>
<View <View
className={`w-full h-32 pt-10 pb-4 ${props.className}`} className={`w-full h-32 pt-10 pb-4 ${props.className}`}
style={{ style={{
backgroundColor: currentTheme.chatBot, backgroundColor: theme.chatBot,
}} }}
> >
{props.children} {props.children}
<Pressable
onPress={handleLogout}
className="absolute left-1 bottom-0 p-2"
hitSlop={8}
>
<Ionicons name="log-out-outline" size={24} color={currentTheme.primeFg} />
</Pressable>
</View> </View>
<View <View
className="h-2 bg-black" className="h-2 bg-black"
style={{ style={{
shadowColor: "#000", shadowColor: theme.shadowColor,
shadowOffset: { shadowOffset: {
width: 0, width: 0,
height: 5, height: 5,

View File

@@ -1,6 +1,6 @@
import { View, Text, Pressable } from "react-native"; import { View, Text, Pressable } from "react-native";
import { ProposedEventChange } from "@calchat/shared"; import { ProposedEventChange } from "@calchat/shared";
import currentTheme from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
import { EventCardBase } from "./EventCardBase"; import { EventCardBase } from "./EventCardBase";
type ProposedEventCardProps = { type ProposedEventCardProps = {
@@ -19,7 +19,9 @@ const ConfirmRejectButtons = ({
respondedAction?: "confirm" | "reject"; respondedAction?: "confirm" | "reject";
onConfirm: () => void; onConfirm: () => void;
onReject: () => void; onReject: () => void;
}) => ( }) => {
const { theme } = useThemeStore();
return (
<View className="flex-row mt-3 gap-2"> <View className="flex-row mt-3 gap-2">
<Pressable <Pressable
onPress={onConfirm} onPress={onConfirm}
@@ -27,13 +29,13 @@ const ConfirmRejectButtons = ({
className="flex-1 py-2 rounded-lg items-center" className="flex-1 py-2 rounded-lg items-center"
style={{ style={{
backgroundColor: isDisabled backgroundColor: isDisabled
? currentTheme.disabledButton ? theme.disabledButton
: currentTheme.confirmButton, : theme.confirmButton,
borderWidth: respondedAction === "confirm" ? 2 : 0, borderWidth: respondedAction === "confirm" ? 2 : 0,
borderColor: currentTheme.confirmButton, borderColor: theme.confirmButton,
}} }}
> >
<Text style={{ color: currentTheme.buttonText }} className="font-medium"> <Text style={{ color: theme.buttonText }} className="font-medium">
Annehmen Annehmen
</Text> </Text>
</Pressable> </Pressable>
@@ -43,18 +45,19 @@ const ConfirmRejectButtons = ({
className="flex-1 py-2 rounded-lg items-center" className="flex-1 py-2 rounded-lg items-center"
style={{ style={{
backgroundColor: isDisabled backgroundColor: isDisabled
? currentTheme.disabledButton ? theme.disabledButton
: currentTheme.rejectButton, : theme.rejectButton,
borderWidth: respondedAction === "reject" ? 2 : 0, borderWidth: respondedAction === "reject" ? 2 : 0,
borderColor: currentTheme.rejectButton, borderColor: theme.rejectButton,
}} }}
> >
<Text style={{ color: currentTheme.buttonText }} className="font-medium"> <Text style={{ color: theme.buttonText }} className="font-medium">
Ablehnen Ablehnen
</Text> </Text>
</Pressable> </Pressable>
</View> </View>
); );
};
export const ProposedEventCard = ({ export const ProposedEventCard = ({
proposedChange, proposedChange,

View File

@@ -1,12 +1,13 @@
import { useEffect, useState } from "react"; import { useEffect, useState } from "react";
import { Text } from "react-native"; import { Text } from "react-native";
import colors from "../Themes"; import { useThemeStore } from "../stores/ThemeStore";
import { ChatBubble } from "./ChatBubble"; import { ChatBubble } from "./ChatBubble";
const DOTS = [".", "..", "..."]; const DOTS = [".", "..", "..."];
const INTERVAL_MS = 400; const INTERVAL_MS = 400;
export default function TypingIndicator() { export default function TypingIndicator() {
const { theme } = useThemeStore();
const [dotIndex, setDotIndex] = useState(0); const [dotIndex, setDotIndex] = useState(0);
useEffect(() => { useEffect(() => {
@@ -21,7 +22,7 @@ export default function TypingIndicator() {
<ChatBubble side="left" className="px-4 py-2"> <ChatBubble side="left" className="px-4 py-2">
<Text <Text
className="text-lg font-bold tracking-widest" className="text-lg font-bold tracking-widest"
style={{ color: colors.textMuted }} style={{ color: theme.textMuted }}
> >
{DOTS[dotIndex]} {DOTS[dotIndex]}
</Text> </Text>

View File

@@ -55,7 +55,12 @@ async function request<T>(
} }
apiLogger.debug(`${method} ${endpoint} - ${response.status} (${duration}ms)`); apiLogger.debug(`${method} ${endpoint} - ${response.status} (${duration}ms)`);
return response.json();
const text = await response.text();
if (!text) {
return undefined as T;
}
return JSON.parse(text);
} catch (error) { } catch (error) {
const duration = Math.round(performance.now() - start); const duration = Math.round(performance.now() - start);
apiLogger.error(`${method} ${endpoint} failed (${duration}ms): ${error}`); apiLogger.error(`${method} ${endpoint} failed (${duration}ms): ${error}`);

View File

@@ -0,0 +1,12 @@
import { create } from "zustand";
import { Theme, THEMES } from "../Themes";
interface ThemeState {
theme: Theme;
setTheme: (themeName: keyof typeof THEMES) => void;
}
export const useThemeStore = create<ThemeState>((set) => ({
theme: THEMES.defaultLight,
setTheme: (themeName) => set({theme: THEMES[themeName]})
}))