Phase 1 & 2: full-stack family dashboard scaffold

- pnpm monorepo (apps/client + apps/server)
- Server: Express + node:sqlite with numbered migration runner,
  REST API for all 9 features (members, events, chores, shopping,
  meals, messages, countdowns, photos, settings)
- Client: React 18 + Vite + TypeScript + Tailwind + Framer Motion + Zustand
- Theme system: dark/light + 5 accent colors, CSS custom properties,
  anti-FOUC script, ThemeToggle on every surface
- AppShell: collapsible sidebar, animated route transitions, mobile drawer
- Phase 2 features: Calendar (custom month grid, event chips, add/edit modal),
  Chores (card grid, complete/reset, member filter, streaks),
  Shopping (multi-list tabs, animated check-off, quick-add bar, member assign)
- Family member CRUD with avatar, color picker
- Settings page: theme/accent, photo folder, slideshow, weather, date/time
- Docker: multi-stage Dockerfile, docker-compose.yml, entrypoint with PUID/PGID
- Unraid: CA XML template, CLI install script, UNRAID.md guide
- .gitignore covering node_modules, dist, db files, secrets, build artifacts

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
This commit is contained in:
2026-03-29 21:56:30 -05:00
parent 6e44883365
commit 35ed5223a0
58 changed files with 6224 additions and 0 deletions

20
apps/client/index.html Normal file
View File

@@ -0,0 +1,20 @@
<!doctype html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<link rel="icon" type="image/svg+xml" href="/vite.svg" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>Family Planner</title>
<script>
// Prevent FOUC — apply dark class before React hydrates
try {
const s = JSON.parse(localStorage.getItem('fp-theme') || '{}');
if (s?.state?.mode === 'dark') document.documentElement.classList.add('dark');
} catch {}
</script>
</head>
<body>
<div id="root"></div>
<script type="module" src="/src/main.tsx"></script>
</body>
</html>

33
apps/client/package.json Normal file
View File

@@ -0,0 +1,33 @@
{
"name": "client",
"private": true,
"version": "1.0.0",
"type": "module",
"scripts": {
"dev": "vite",
"build": "tsc -b && vite build",
"preview": "vite preview"
},
"dependencies": {
"@tanstack/react-query": "^5.28.4",
"axios": "^1.6.7",
"clsx": "^2.1.0",
"date-fns": "^3.3.1",
"framer-motion": "^11.0.14",
"lucide-react": "^0.359.0",
"react": "^18.2.0",
"react-dom": "^18.2.0",
"react-router-dom": "^6.22.3",
"zustand": "^4.5.2"
},
"devDependencies": {
"@types/react": "^18.2.66",
"@types/react-dom": "^18.2.22",
"@vitejs/plugin-react": "^4.2.1",
"autoprefixer": "^10.4.18",
"postcss": "^8.4.37",
"tailwindcss": "^3.4.1",
"typescript": "^5.3.3",
"vite": "^5.2.0"
}
}

View File

@@ -0,0 +1,6 @@
export default {
plugins: {
tailwindcss: {},
autoprefixer: {},
},
};

33
apps/client/src/App.tsx Normal file
View File

@@ -0,0 +1,33 @@
import { BrowserRouter, Routes, Route } from 'react-router-dom';
import { AppShell } from '@/components/layout/AppShell';
import Dashboard from '@/pages/Dashboard';
import CalendarPage from '@/pages/Calendar';
import ShoppingPage from '@/pages/Shopping';
import ChoresPage from '@/pages/Chores';
import MealsPage from '@/pages/Meals';
import BoardPage from '@/pages/Board';
import CountdownsPage from '@/pages/Countdowns';
import PhotosPage from '@/pages/Photos';
import SettingsPage from '@/pages/Settings';
import MembersPage from '@/pages/Members';
export default function App() {
return (
<BrowserRouter>
<AppShell>
<Routes>
<Route path="/" element={<Dashboard />} />
<Route path="/calendar" element={<CalendarPage />} />
<Route path="/shopping" element={<ShoppingPage />} />
<Route path="/chores" element={<ChoresPage />} />
<Route path="/meals" element={<MealsPage />} />
<Route path="/board" element={<BoardPage />} />
<Route path="/countdowns" element={<CountdownsPage />} />
<Route path="/photos" element={<PhotosPage />} />
<Route path="/settings" element={<SettingsPage />} />
<Route path="/settings/members" element={<MembersPage />} />
</Routes>
</AppShell>
</BrowserRouter>
);
}

View File

@@ -0,0 +1,197 @@
import { ReactNode, useState } from 'react';
import { NavLink, useLocation } from 'react-router-dom';
import { motion, AnimatePresence } from 'framer-motion';
import { clsx } from 'clsx';
import {
LayoutDashboard, Calendar, ShoppingCart, CheckSquare,
UtensilsCrossed, MessageSquare, Timer, Settings,
Image, Menu, X, ChevronRight,
} from 'lucide-react';
import { ThemeToggle } from '@/components/ui/ThemeToggle';
interface NavItem {
to: string;
icon: ReactNode;
label: string;
end?: boolean;
}
const NAV_ITEMS: NavItem[] = [
{ to: '/', icon: <LayoutDashboard size={20} />, label: 'Dashboard', end: true },
{ to: '/calendar', icon: <Calendar size={20} />, label: 'Calendar' },
{ to: '/shopping', icon: <ShoppingCart size={20} />, label: 'Shopping' },
{ to: '/chores', icon: <CheckSquare size={20} />, label: 'Chores' },
{ to: '/meals', icon: <UtensilsCrossed size={20} />, label: 'Meals' },
{ to: '/board', icon: <MessageSquare size={20} />, label: 'Board' },
{ to: '/countdowns',icon: <Timer size={20} />, label: 'Countdowns'},
{ to: '/photos', icon: <Image size={20} />, label: 'Photos' },
{ to: '/settings', icon: <Settings size={20} />, label: 'Settings' },
];
function SidebarLink({ item, collapsed }: { item: NavItem; collapsed: boolean }) {
return (
<NavLink
to={item.to}
end={item.end}
className={({ isActive }) =>
clsx(
'group flex items-center gap-3 rounded-xl px-3 py-2.5 text-sm font-medium',
'transition-all duration-150',
isActive
? 'bg-accent text-white shadow-sm'
: 'text-secondary hover:bg-surface-raised hover:text-primary'
)
}
>
<span className="shrink-0">{item.icon}</span>
<AnimatePresence initial={false}>
{!collapsed && (
<motion.span
initial={{ opacity: 0, width: 0 }}
animate={{ opacity: 1, width: 'auto' }}
exit={{ opacity: 0, width: 0 }}
transition={{ duration: 0.15 }}
className="overflow-hidden whitespace-nowrap"
>
{item.label}
</motion.span>
)}
</AnimatePresence>
</NavLink>
);
}
interface AppShellProps {
children: ReactNode;
}
export function AppShell({ children }: AppShellProps) {
const [collapsed, setCollapsed] = useState(false);
const [mobileOpen, setMobileOpen] = useState(false);
const location = useLocation();
// Close mobile menu on nav
// (handled via useEffect would add complexity; NavLink click is enough)
return (
<div className="flex h-screen overflow-hidden bg-app">
{/* ── Desktop Sidebar ──────────────────────────────────────────── */}
<motion.aside
animate={{ width: collapsed ? 68 : 240 }}
transition={{ duration: 0.2, ease: 'easeInOut' }}
className="hidden md:flex flex-col shrink-0 h-full bg-surface border-r border-theme overflow-hidden"
>
{/* Logo / Header */}
<div className="flex items-center gap-3 px-4 py-5 border-b border-theme">
<span className="flex h-8 w-8 shrink-0 items-center justify-center rounded-lg bg-accent text-white font-bold text-sm">
FP
</span>
<AnimatePresence initial={false}>
{!collapsed && (
<motion.span
initial={{ opacity: 0, width: 0 }}
animate={{ opacity: 1, width: 'auto' }}
exit={{ opacity: 0, width: 0 }}
transition={{ duration: 0.15 }}
className="overflow-hidden whitespace-nowrap font-semibold text-primary text-base"
>
Family Planner
</motion.span>
)}
</AnimatePresence>
</div>
{/* Nav */}
<nav className="flex-1 overflow-y-auto p-3 flex flex-col gap-1">
{NAV_ITEMS.map((item) => (
<SidebarLink key={item.to} item={item} collapsed={collapsed} />
))}
</nav>
{/* Bottom: theme + collapse */}
<div className="p-3 border-t border-theme flex flex-col gap-2">
{!collapsed && <ThemeToggle className="w-full justify-center" />}
<button
onClick={() => setCollapsed((c) => !c)}
className="flex items-center justify-center h-9 w-full rounded-xl text-secondary hover:bg-surface-raised hover:text-primary transition-colors"
aria-label={collapsed ? 'Expand sidebar' : 'Collapse sidebar'}
>
<motion.span animate={{ rotate: collapsed ? 0 : 180 }} transition={{ duration: 0.2 }}>
<ChevronRight size={18} />
</motion.span>
</button>
</div>
</motion.aside>
{/* ── Mobile Overlay Drawer ────────────────────────────────────── */}
<AnimatePresence>
{mobileOpen && (
<>
<motion.div
className="fixed inset-0 z-40 bg-black/50 backdrop-blur-sm md:hidden"
initial={{ opacity: 0 }}
animate={{ opacity: 1 }}
exit={{ opacity: 0 }}
onClick={() => setMobileOpen(false)}
/>
<motion.aside
className="fixed inset-y-0 left-0 z-50 w-64 bg-surface border-r border-theme flex flex-col md:hidden"
initial={{ x: -256 }}
animate={{ x: 0 }}
exit={{ x: -256 }}
transition={{ duration: 0.2, ease: 'easeInOut' }}
>
<div className="flex items-center justify-between px-4 py-5 border-b border-theme">
<span className="font-semibold text-primary text-base">Family Planner</span>
<button onClick={() => setMobileOpen(false)} className="p-1.5 rounded-lg text-secondary hover:bg-surface-raised">
<X size={18} />
</button>
</div>
<nav className="flex-1 overflow-y-auto p-3 flex flex-col gap-1">
{NAV_ITEMS.map((item) => (
<div key={item.to} onClick={() => setMobileOpen(false)}>
<SidebarLink item={item} collapsed={false} />
</div>
))}
</nav>
<div className="p-3 border-t border-theme">
<ThemeToggle className="w-full justify-center" />
</div>
</motion.aside>
</>
)}
</AnimatePresence>
{/* ── Main Content ─────────────────────────────────────────────── */}
<div className="flex flex-col flex-1 min-w-0 overflow-hidden">
{/* Top bar (mobile only) */}
<header className="md:hidden flex items-center justify-between px-4 py-3 bg-surface border-b border-theme">
<button
onClick={() => setMobileOpen(true)}
className="p-2 rounded-lg text-secondary hover:bg-surface-raised"
>
<Menu size={20} />
</button>
<span className="font-semibold text-primary">Family Planner</span>
<ThemeToggle />
</header>
{/* Page content */}
<main className="flex-1 overflow-y-auto">
<AnimatePresence mode="wait">
<motion.div
key={location.pathname}
initial={{ opacity: 0, y: 6 }}
animate={{ opacity: 1, y: 0 }}
exit={{ opacity: 0, y: -6 }}
transition={{ duration: 0.18 }}
className="h-full"
>
{children}
</motion.div>
</AnimatePresence>
</main>
</div>
</div>
);
}

View File

@@ -0,0 +1,37 @@
import { clsx } from 'clsx';
interface AvatarProps {
name: string;
color: string;
size?: 'xs' | 'sm' | 'md' | 'lg';
className?: string;
}
const sizeMap = {
xs: 'h-6 w-6 text-xs',
sm: 'h-8 w-8 text-sm',
md: 'h-10 w-10 text-base',
lg: 'h-12 w-12 text-lg',
};
export function Avatar({ name, color, size = 'md', className }: AvatarProps) {
const initials = name
.split(' ')
.map((w) => w[0])
.slice(0, 2)
.join('')
.toUpperCase();
return (
<span
className={clsx(
'inline-flex shrink-0 items-center justify-center rounded-full font-semibold text-white select-none',
sizeMap[size],
className
)}
style={{ backgroundColor: color }}
>
{initials}
</span>
);
}

View File

@@ -0,0 +1,19 @@
import { ReactNode } from 'react';
import { clsx } from 'clsx';
interface BadgeProps {
children: ReactNode;
color?: string;
className?: string;
}
export function Badge({ children, color, className }: BadgeProps) {
return (
<span
className={clsx('inline-flex items-center rounded-full px-2.5 py-0.5 text-xs font-medium', className)}
style={color ? { backgroundColor: `${color}22`, color } : undefined}
>
{children}
</span>
);
}

View File

@@ -0,0 +1,51 @@
import { forwardRef, ButtonHTMLAttributes } from 'react';
import { clsx } from 'clsx';
type Variant = 'primary' | 'secondary' | 'ghost' | 'danger';
type Size = 'sm' | 'md' | 'lg';
interface ButtonProps extends ButtonHTMLAttributes<HTMLButtonElement> {
variant?: Variant;
size?: Size;
loading?: boolean;
}
const variantClasses: Record<Variant, string> = {
primary: 'bg-accent text-white hover:opacity-90 active:opacity-80 shadow-sm',
secondary: 'bg-surface-raised border border-theme text-primary hover:bg-accent-light hover:text-accent',
ghost: 'text-secondary hover:bg-surface-raised hover:text-primary',
danger: 'bg-red-500 text-white hover:bg-red-600 active:bg-red-700 shadow-sm',
};
const sizeClasses: Record<Size, string> = {
sm: 'px-3 py-1.5 text-sm gap-1.5',
md: 'px-4 py-2 text-sm gap-2',
lg: 'px-5 py-2.5 text-base gap-2',
};
export const Button = forwardRef<HTMLButtonElement, ButtonProps>(
({ variant = 'primary', size = 'md', loading, className, children, disabled, ...props }, ref) => (
<button
ref={ref}
disabled={disabled || loading}
className={clsx(
'inline-flex items-center justify-center rounded-lg font-medium',
'transition-all duration-150 focus-visible:ring-2 ring-accent focus-visible:outline-none',
'disabled:opacity-50 disabled:cursor-not-allowed',
variantClasses[variant],
sizeClasses[size],
className
)}
{...props}
>
{loading && (
<svg className="animate-spin h-4 w-4 shrink-0" fill="none" viewBox="0 0 24 24">
<circle className="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" strokeWidth="4" />
<path className="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8v8H4z" />
</svg>
)}
{children}
</button>
)
);
Button.displayName = 'Button';

View File

@@ -0,0 +1,38 @@
import { forwardRef, InputHTMLAttributes } from 'react';
import { clsx } from 'clsx';
interface InputProps extends InputHTMLAttributes<HTMLInputElement> {
label?: string;
error?: string;
hint?: string;
}
export const Input = forwardRef<HTMLInputElement, InputProps>(
({ label, error, hint, className, id, ...props }, ref) => {
const inputId = id ?? label?.toLowerCase().replace(/\s+/g, '-');
return (
<div className="flex flex-col gap-1.5">
{label && (
<label htmlFor={inputId} className="text-sm font-medium text-secondary">
{label}
</label>
)}
<input
ref={ref}
id={inputId}
className={clsx(
'w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary',
'placeholder:text-muted focus:outline-none focus:ring-2 ring-accent focus:border-transparent',
'transition-colors duration-150',
error && 'border-red-400 focus:ring-red-400',
className
)}
{...props}
/>
{hint && !error && <p className="text-xs text-muted">{hint}</p>}
{error && <p className="text-xs text-red-500">{error}</p>}
</div>
);
}
);
Input.displayName = 'Input';

View File

@@ -0,0 +1,83 @@
import { ReactNode, useEffect } from 'react';
import { createPortal } from 'react-dom';
import { motion, AnimatePresence } from 'framer-motion';
import { X } from 'lucide-react';
import { clsx } from 'clsx';
import { useThemeStore } from '@/store/themeStore';
interface ModalProps {
open: boolean;
onClose: () => void;
title?: string;
children: ReactNode;
size?: 'sm' | 'md' | 'lg' | 'xl';
className?: string;
}
const sizeClasses = {
sm: 'max-w-sm',
md: 'max-w-md',
lg: 'max-w-lg',
xl: 'max-w-2xl',
};
export function Modal({ open, onClose, title, children, size = 'md', className }: ModalProps) {
// Ensure dark class is on root so modal portal inherits theme
const mode = useThemeStore((s) => s.mode);
useEffect(() => {
if (!open) return;
const handleKey = (e: KeyboardEvent) => { if (e.key === 'Escape') onClose(); };
document.addEventListener('keydown', handleKey);
return () => document.removeEventListener('keydown', handleKey);
}, [open, onClose]);
useEffect(() => {
document.body.style.overflow = open ? 'hidden' : '';
return () => { document.body.style.overflow = ''; };
}, [open]);
return createPortal(
<AnimatePresence>
{open && (
<div className={clsx('fixed inset-0 z-50 flex items-center justify-center p-4', mode === 'dark' ? 'dark' : '')}>
{/* Backdrop */}
<motion.div
className="absolute inset-0 bg-black/50 backdrop-blur-sm"
initial={{ opacity: 0 }}
animate={{ opacity: 1 }}
exit={{ opacity: 0 }}
onClick={onClose}
/>
{/* Panel */}
<motion.div
className={clsx(
'relative w-full rounded-2xl shadow-2xl z-10',
'bg-surface border border-theme',
sizeClasses[size],
className
)}
initial={{ opacity: 0, scale: 0.95, y: 8 }}
animate={{ opacity: 1, scale: 1, y: 0 }}
exit={{ opacity: 0, scale: 0.95, y: 8 }}
transition={{ duration: 0.2, ease: 'easeOut' }}
>
{title && (
<div className="flex items-center justify-between px-6 pt-5 pb-4 border-b border-theme">
<h2 className="text-lg font-semibold text-primary">{title}</h2>
<button
onClick={onClose}
className="p-1.5 rounded-lg text-secondary hover:bg-surface-raised hover:text-primary transition-colors"
>
<X size={18} />
</button>
</div>
)}
<div className="p-6">{children}</div>
</motion.div>
</div>
)}
</AnimatePresence>,
document.body
);
}

View File

@@ -0,0 +1,56 @@
import { Sun, Moon } from 'lucide-react';
import { motion } from 'framer-motion';
import { useThemeStore } from '@/store/themeStore';
import { clsx } from 'clsx';
interface ThemeToggleProps {
className?: string;
showLabel?: boolean;
}
export function ThemeToggle({ className, showLabel }: ThemeToggleProps) {
const { mode, toggleMode } = useThemeStore();
const isDark = mode === 'dark';
return (
<button
onClick={toggleMode}
aria-label={isDark ? 'Switch to light mode' : 'Switch to dark mode'}
className={clsx(
'relative flex items-center gap-2 rounded-full px-1 py-1',
'bg-surface-raised border border-theme',
'hover:border-accent transition-colors duration-200',
className
)}
>
<span
className={clsx(
'flex h-7 w-7 items-center justify-center rounded-full transition-colors duration-200',
!isDark ? 'bg-accent text-white' : 'text-muted'
)}
>
<Sun size={14} />
</span>
<span
className={clsx(
'flex h-7 w-7 items-center justify-center rounded-full transition-colors duration-200',
isDark ? 'bg-accent text-white' : 'text-muted'
)}
>
<Moon size={14} />
</span>
{showLabel && (
<span className="pr-2 text-sm font-medium text-secondary">
{isDark ? 'Dark' : 'Light'}
</span>
)}
{/* Sliding indicator */}
<motion.span
className="absolute inset-y-1 w-9 rounded-full bg-accent/10 border border-accent/30 pointer-events-none"
animate={{ x: isDark ? 32 : 0 }}
transition={{ type: 'spring', stiffness: 400, damping: 30 }}
style={{ left: 4 }}
/>
</button>
);
}

65
apps/client/src/index.css Normal file
View File

@@ -0,0 +1,65 @@
@import url('https://fonts.googleapis.com/css2?family=Inter:wght@300;400;500;600;700;800&display=swap');
@tailwind base;
@tailwind components;
@tailwind utilities;
/* ─── Base token defaults (light) — overridden by JS applyTheme() ──── */
:root {
--color-bg: #f8fafc;
--color-surface: #ffffff;
--color-surface-raised: #f1f5f9;
--color-border: #e2e8f0;
--color-text-primary: #0f172a;
--color-text-secondary: #475569;
--color-text-muted: #94a3b8;
--color-accent: #6366f1;
--color-accent-light: #e0e7ff;
}
/* ─── Smooth theme transitions on every surface ───────────────────── */
*, *::before, *::after {
transition-property: background-color, color, border-color;
transition-duration: 200ms;
transition-timing-function: ease;
}
/* But NOT on animations / transforms */
[data-no-transition], [data-no-transition] * {
transition: none !important;
}
/* ─── Base body ───────────────────────────────────────────────────── */
body {
background-color: var(--color-bg);
color: var(--color-text-primary);
font-family: 'Inter', system-ui, sans-serif;
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale;
}
/* ─── Scrollbar styling ────────────────────────────────────────────── */
::-webkit-scrollbar { width: 6px; height: 6px; }
::-webkit-scrollbar-track { background: transparent; }
::-webkit-scrollbar-thumb { background: var(--color-border); border-radius: 3px; }
::-webkit-scrollbar-thumb:hover { background: var(--color-text-muted); }
/* ─── Focus ring ───────────────────────────────────────────────────── */
:focus-visible {
outline: 2px solid var(--color-accent);
outline-offset: 2px;
}
/* ─── Utility layer ────────────────────────────────────────────────── */
@layer utilities {
.bg-surface { background-color: var(--color-surface); }
.bg-surface-raised { background-color: var(--color-surface-raised); }
.bg-app { background-color: var(--color-bg); }
.border-theme { border-color: var(--color-border); }
.text-primary { color: var(--color-text-primary); }
.text-secondary { color: var(--color-text-secondary); }
.text-muted { color: var(--color-text-muted); }
.text-accent { color: var(--color-accent); }
.bg-accent { background-color: var(--color-accent); }
.bg-accent-light { background-color: var(--color-accent-light); }
.ring-accent { --tw-ring-color: var(--color-accent); }
}

103
apps/client/src/lib/api.ts Normal file
View File

@@ -0,0 +1,103 @@
import axios from 'axios';
export const api = axios.create({ baseURL: '/api' });
// ── Types ─────────────────────────────────────────────────────────────────
export interface Member {
id: number;
name: string;
color: string;
avatar: string | null;
created_at: string;
}
export interface CalendarEvent {
id: number;
title: string;
description: string | null;
start_at: string;
end_at: string;
all_day: number;
recurrence: string | null;
member_id: number | null;
color: string | null;
created_at: string;
}
export interface ShoppingList {
id: number;
name: string;
created_at: string;
}
export interface ShoppingItem {
id: number;
list_id: number;
name: string;
quantity: string | null;
checked: number;
member_id: number | null;
sort_order: number;
created_at: string;
}
export interface Chore {
id: number;
title: string;
description: string | null;
member_id: number | null;
member_name: string | null;
member_color: string | null;
recurrence: string;
status: string;
due_date: string | null;
completion_count: number;
created_at: string;
}
export interface Meal {
id: number;
date: string;
title: string;
description: string | null;
recipe_url: string | null;
created_at: string;
}
export interface Message {
id: number;
member_id: number | null;
member_name: string | null;
member_color: string | null;
body: string;
color: string;
emoji: string | null;
pinned: number;
expires_at: string | null;
created_at: string;
}
export interface Countdown {
id: number;
title: string;
target_date: string;
emoji: string | null;
color: string;
show_on_dashboard: number;
event_id: number | null;
created_at: string;
}
export interface AppSettings {
theme: string;
accent: string;
photo_folder: string;
slideshow_speed: string;
slideshow_order: string;
idle_timeout: string;
time_format: string;
date_format: string;
weather_api_key: string;
weather_location: string;
weather_units: string;
}

21
apps/client/src/main.tsx Normal file
View File

@@ -0,0 +1,21 @@
import React from 'react';
import ReactDOM from 'react-dom/client';
import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
import App from './App';
import './index.css';
import { initTheme } from './store/themeStore';
// Apply persisted theme tokens before first render
initTheme();
const queryClient = new QueryClient({
defaultOptions: { queries: { staleTime: 30_000, retry: 1 } },
});
ReactDOM.createRoot(document.getElementById('root')!).render(
<React.StrictMode>
<QueryClientProvider client={queryClient}>
<App />
</QueryClientProvider>
</React.StrictMode>
);

View File

@@ -0,0 +1,3 @@
export default function BoardPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Message Board</h1><p className="text-secondary mt-2">Phase 4</p></div>;
}

View File

@@ -0,0 +1,3 @@
export default function CalendarPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Calendar</h1><p className="text-secondary mt-2">Phase 2</p></div>;
}

View File

@@ -0,0 +1,3 @@
export default function ChoresPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Chores</h1><p className="text-secondary mt-2">Phase 2</p></div>;
}

View File

@@ -0,0 +1,3 @@
export default function CountdownsPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Countdowns</h1><p className="text-secondary mt-2">Phase 4</p></div>;
}

View File

@@ -0,0 +1,8 @@
export default function Dashboard() {
return (
<div className="p-6">
<h1 className="text-2xl font-bold text-primary mb-2">Good morning 👋</h1>
<p className="text-secondary">Your family dashboard is coming together. More widgets arriving in Phase 2.</p>
</div>
);
}

View File

@@ -0,0 +1,3 @@
export default function MealsPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Meal Planner</h1><p className="text-secondary mt-2">Phase 2</p></div>;
}

View File

@@ -0,0 +1,234 @@
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { motion, AnimatePresence } from 'framer-motion';
import { Plus, Pencil, Trash2, ArrowLeft } from 'lucide-react';
import { Link } from 'react-router-dom';
import { api, type Member } from '@/lib/api';
import { Button } from '@/components/ui/Button';
import { Input } from '@/components/ui/Input';
import { Modal } from '@/components/ui/Modal';
import { Avatar } from '@/components/ui/Avatar';
const PRESET_COLORS = [
'#6366f1', '#14b8a6', '#f43f5e', '#f59e0b', '#64748b',
'#8b5cf6', '#ec4899', '#10b981', '#f97316', '#06b6d4',
];
interface MemberFormData {
name: string;
color: string;
}
function MemberForm({
initial,
onSubmit,
onCancel,
loading,
}: {
initial?: MemberFormData;
onSubmit: (data: MemberFormData) => void;
onCancel: () => void;
loading: boolean;
}) {
const [name, setName] = useState(initial?.name ?? '');
const [color, setColor] = useState(initial?.color ?? PRESET_COLORS[0]);
return (
<div className="space-y-5">
<Input
label="Name"
value={name}
onChange={(e) => setName(e.target.value)}
placeholder="Family member's name"
autoFocus
/>
<div>
<p className="text-sm font-medium text-secondary mb-3">Color</p>
<div className="flex flex-wrap gap-2.5">
{PRESET_COLORS.map((c) => (
<button
key={c}
onClick={() => setColor(c)}
className="h-8 w-8 rounded-full ring-offset-2 ring-offset-surface transition-all duration-150"
style={{
backgroundColor: c,
boxShadow: color === c ? `0 0 0 2px white, 0 0 0 4px ${c}` : undefined,
}}
aria-label={c}
/>
))}
</div>
<div className="mt-3 flex items-center gap-3">
<input
type="color"
value={color}
onChange={(e) => setColor(e.target.value)}
className="h-8 w-12 cursor-pointer rounded border border-theme bg-transparent"
/>
<span className="text-sm text-muted font-mono">{color}</span>
</div>
</div>
{/* Preview */}
{name && (
<div className="flex items-center gap-3 p-3 rounded-xl bg-surface-raised">
<Avatar name={name} color={color} size="md" />
<span className="font-medium text-primary">{name}</span>
</div>
)}
<div className="flex gap-3 pt-1">
<Button variant="secondary" onClick={onCancel} className="flex-1">Cancel</Button>
<Button onClick={() => onSubmit({ name, color })} loading={loading} disabled={!name.trim()} className="flex-1">
Save
</Button>
</div>
</div>
);
}
export default function MembersPage() {
const qc = useQueryClient();
const [addOpen, setAddOpen] = useState(false);
const [editTarget, setEditTarget] = useState<Member | null>(null);
const [deleteTarget, setDeleteTarget] = useState<Member | null>(null);
const { data: members = [], isLoading } = useQuery<Member[]>({
queryKey: ['members'],
queryFn: () => api.get('/members').then((r) => r.data),
});
const createMutation = useMutation({
mutationFn: (data: MemberFormData) => api.post('/members', data).then((r) => r.data),
onSuccess: () => { qc.invalidateQueries({ queryKey: ['members'] }); setAddOpen(false); },
});
const updateMutation = useMutation({
mutationFn: ({ id, data }: { id: number; data: MemberFormData }) =>
api.put(`/members/${id}`, data).then((r) => r.data),
onSuccess: () => { qc.invalidateQueries({ queryKey: ['members'] }); setEditTarget(null); },
});
const deleteMutation = useMutation({
mutationFn: (id: number) => api.delete(`/members/${id}`),
onSuccess: () => { qc.invalidateQueries({ queryKey: ['members'] }); setDeleteTarget(null); },
});
return (
<div className="p-6 max-w-2xl mx-auto">
{/* Header */}
<div className="flex items-center gap-4 mb-6">
<Link to="/settings" className="p-2 rounded-xl text-secondary hover:bg-surface-raised hover:text-primary transition-colors">
<ArrowLeft size={20} />
</Link>
<div className="flex-1">
<h1 className="text-2xl font-bold text-primary">Family Members</h1>
<p className="text-secondary text-sm">{members.length} member{members.length !== 1 ? 's' : ''}</p>
</div>
<Button onClick={() => setAddOpen(true)}>
<Plus size={16} /> Add Member
</Button>
</div>
{/* Member list */}
{isLoading ? (
<div className="space-y-3">
{[1, 2, 3].map((i) => (
<div key={i} className="h-20 rounded-2xl bg-surface-raised animate-pulse" />
))}
</div>
) : members.length === 0 ? (
<div className="text-center py-16">
<div className="text-5xl mb-4">👨👩👧👦</div>
<p className="text-primary font-semibold text-lg mb-1">No family members yet</p>
<p className="text-secondary text-sm mb-6">Add your family members to assign chores, events, and more.</p>
<Button onClick={() => setAddOpen(true)}>
<Plus size={16} /> Add First Member
</Button>
</div>
) : (
<div className="space-y-3">
<AnimatePresence initial={false}>
{members.map((member) => (
<motion.div
key={member.id}
layout
initial={{ opacity: 0, y: 8 }}
animate={{ opacity: 1, y: 0 }}
exit={{ opacity: 0, scale: 0.95 }}
className="flex items-center gap-4 p-4 rounded-2xl bg-surface border border-theme hover:border-accent/40 transition-colors group"
>
<Avatar name={member.name} color={member.color} size="lg" />
<div className="flex-1 min-w-0">
<p className="font-semibold text-primary truncate">{member.name}</p>
<p className="text-xs font-mono text-muted">{member.color}</p>
</div>
<div className="flex gap-1 opacity-0 group-hover:opacity-100 transition-opacity">
<button
onClick={() => setEditTarget(member)}
className="p-2 rounded-lg text-secondary hover:bg-surface-raised hover:text-accent transition-colors"
>
<Pencil size={16} />
</button>
<button
onClick={() => setDeleteTarget(member)}
className="p-2 rounded-lg text-secondary hover:bg-surface-raised hover:text-red-500 transition-colors"
>
<Trash2 size={16} />
</button>
</div>
</motion.div>
))}
</AnimatePresence>
</div>
)}
{/* Add modal */}
<Modal open={addOpen} onClose={() => setAddOpen(false)} title="Add Family Member">
<MemberForm
onSubmit={(data) => createMutation.mutate(data)}
onCancel={() => setAddOpen(false)}
loading={createMutation.isPending}
/>
</Modal>
{/* Edit modal */}
<Modal open={!!editTarget} onClose={() => setEditTarget(null)} title="Edit Family Member">
{editTarget && (
<MemberForm
initial={{ name: editTarget.name, color: editTarget.color }}
onSubmit={(data) => updateMutation.mutate({ id: editTarget.id, data })}
onCancel={() => setEditTarget(null)}
loading={updateMutation.isPending}
/>
)}
</Modal>
{/* Delete confirm modal */}
<Modal open={!!deleteTarget} onClose={() => setDeleteTarget(null)} title="Remove Member" size="sm">
{deleteTarget && (
<div className="space-y-4">
<div className="flex items-center gap-3 p-3 rounded-xl bg-surface-raised">
<Avatar name={deleteTarget.name} color={deleteTarget.color} />
<span className="font-medium text-primary">{deleteTarget.name}</span>
</div>
<p className="text-secondary text-sm">
Removing this member won't delete their assigned chores or events those will simply become unassigned.
</p>
<div className="flex gap-3">
<Button variant="secondary" onClick={() => setDeleteTarget(null)} className="flex-1">Cancel</Button>
<Button
variant="danger"
loading={deleteMutation.isPending}
onClick={() => deleteMutation.mutate(deleteTarget.id)}
className="flex-1"
>
Remove
</Button>
</div>
</div>
)}
</Modal>
</div>
);
}

View File

@@ -0,0 +1,3 @@
export default function PhotosPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Photo Slideshow</h1><p className="text-secondary mt-2">Phase 3</p></div>;
}

View File

@@ -0,0 +1,208 @@
import { useEffect, useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { Save, Folder, Clock, Image, Cloud, Users } from 'lucide-react';
import { api, type AppSettings } from '@/lib/api';
import { Button } from '@/components/ui/Button';
import { Input } from '@/components/ui/Input';
import { ThemeToggle } from '@/components/ui/ThemeToggle';
import { useThemeStore, ACCENT_TOKENS, type AccentColor } from '@/store/themeStore';
import { clsx } from 'clsx';
import { Link } from 'react-router-dom';
function Section({ title, icon, children }: { title: string; icon: React.ReactNode; children: React.ReactNode }) {
return (
<div className="bg-surface rounded-2xl border border-theme p-6">
<div className="flex items-center gap-3 mb-5">
<span className="text-accent">{icon}</span>
<h2 className="text-base font-semibold text-primary">{title}</h2>
</div>
<div className="space-y-4">{children}</div>
</div>
);
}
export default function SettingsPage() {
const qc = useQueryClient();
const { accent, setAccent } = useThemeStore();
const { data: settings } = useQuery<AppSettings>({
queryKey: ['settings'],
queryFn: () => api.get('/settings').then((r) => r.data),
});
const [form, setForm] = useState<Partial<AppSettings>>({});
useEffect(() => { if (settings) setForm(settings); }, [settings]);
const mutation = useMutation({
mutationFn: (patch: Partial<AppSettings>) => api.patch('/settings', patch).then((r) => r.data),
onSuccess: () => qc.invalidateQueries({ queryKey: ['settings'] }),
});
const set = (key: keyof AppSettings, value: string) => setForm((f) => ({ ...f, [key]: value }));
const save = () => mutation.mutate(form as AppSettings);
return (
<div className="p-6 max-w-3xl mx-auto space-y-6">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold text-primary">Settings</h1>
<p className="text-secondary text-sm mt-1">Configure your family dashboard</p>
</div>
<Button onClick={save} loading={mutation.isPending}>
<Save size={16} /> Save Changes
</Button>
</div>
{/* ── Appearance ─────────────────────────────────────────────── */}
<Section title="Appearance" icon={<Image size={20} />}>
<div>
<p className="text-sm font-medium text-secondary mb-3">Theme Mode</p>
<ThemeToggle showLabel />
</div>
<div>
<p className="text-sm font-medium text-secondary mb-3">Accent Color</p>
<div className="flex gap-3 flex-wrap">
{(Object.keys(ACCENT_TOKENS) as AccentColor[]).map((key) => {
const { base, label } = ACCENT_TOKENS[key];
return (
<button
key={key}
onClick={() => { setAccent(key); set('accent', key); }}
className={clsx(
'flex items-center gap-2 px-4 py-2 rounded-xl border-2 text-sm font-medium transition-all',
accent === key
? 'border-accent text-accent bg-accent-light'
: 'border-theme text-secondary hover:border-accent/50'
)}
>
<span className="h-3.5 w-3.5 rounded-full shrink-0" style={{ backgroundColor: base }} />
{label}
</button>
);
})}
</div>
</div>
</Section>
{/* ── Family Members ─────────────────────────────────────────── */}
<Section title="Family Members" icon={<Users size={20} />}>
<p className="text-sm text-secondary">
Add, edit, or remove family members. Members are used throughout the app to assign chores, events, and shopping items.
</p>
<Link to="/settings/members">
<Button variant="secondary">
<Users size={16} /> Manage Family Members
</Button>
</Link>
</Section>
{/* ── Photo Slideshow ────────────────────────────────────────── */}
<Section title="Photo Slideshow" icon={<Folder size={20} />}>
<Input
label="Photo Folder Path"
value={form.photo_folder ?? ''}
onChange={(e) => set('photo_folder', e.target.value)}
placeholder="C:\Users\YourName\Pictures\Family"
hint="Absolute path to the folder containing your photos. Subfolders are included."
/>
<div className="grid grid-cols-2 gap-4">
<div>
<label className="text-sm font-medium text-secondary block mb-1.5">Transition Speed (ms)</label>
<select
className="w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary focus:outline-none focus:ring-2 ring-accent"
value={form.slideshow_speed ?? '6000'}
onChange={(e) => set('slideshow_speed', e.target.value)}
>
{[3000, 5000, 6000, 8000, 10000, 15000].map((v) => (
<option key={v} value={v}>{v / 1000}s</option>
))}
</select>
</div>
<div>
<label className="text-sm font-medium text-secondary block mb-1.5">Photo Order</label>
<select
className="w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary focus:outline-none focus:ring-2 ring-accent"
value={form.slideshow_order ?? 'random'}
onChange={(e) => set('slideshow_order', e.target.value)}
>
<option value="random">Random</option>
<option value="sequential">Sequential</option>
<option value="newest">Newest First</option>
</select>
</div>
</div>
<div>
<label className="text-sm font-medium text-secondary block mb-1.5">Idle Timeout (before screensaver)</label>
<select
className="w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary focus:outline-none focus:ring-2 ring-accent"
value={form.idle_timeout ?? '120000'}
onChange={(e) => set('idle_timeout', e.target.value)}
>
<option value="60000">1 minute</option>
<option value="120000">2 minutes</option>
<option value="300000">5 minutes</option>
<option value="600000">10 minutes</option>
<option value="0">Disabled</option>
</select>
</div>
</Section>
{/* ── Date & Time ────────────────────────────────────────────── */}
<Section title="Date & Time" icon={<Clock size={20} />}>
<div className="grid grid-cols-2 gap-4">
<div>
<label className="text-sm font-medium text-secondary block mb-1.5">Time Format</label>
<select
className="w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary focus:outline-none focus:ring-2 ring-accent"
value={form.time_format ?? '12h'}
onChange={(e) => set('time_format', e.target.value)}
>
<option value="12h">12-hour (3:30 PM)</option>
<option value="24h">24-hour (15:30)</option>
</select>
</div>
<div>
<label className="text-sm font-medium text-secondary block mb-1.5">Date Format</label>
<select
className="w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary focus:outline-none focus:ring-2 ring-accent"
value={form.date_format ?? 'MM/DD/YYYY'}
onChange={(e) => set('date_format', e.target.value)}
>
<option value="MM/DD/YYYY">MM/DD/YYYY</option>
<option value="DD/MM/YYYY">DD/MM/YYYY</option>
<option value="YYYY-MM-DD">YYYY-MM-DD</option>
</select>
</div>
</div>
</Section>
{/* ── Weather ────────────────────────────────────────────────── */}
<Section title="Weather Widget" icon={<Cloud size={20} />}>
<Input
label="OpenWeatherMap API Key"
value={form.weather_api_key ?? ''}
onChange={(e) => set('weather_api_key', e.target.value)}
placeholder="Your free API key from openweathermap.org"
type="password"
/>
<Input
label="Location (city name or zip)"
value={form.weather_location ?? ''}
onChange={(e) => set('weather_location', e.target.value)}
placeholder="New York, US"
/>
<div>
<label className="text-sm font-medium text-secondary block mb-1.5">Units</label>
<select
className="w-full rounded-lg border border-theme bg-surface-raised px-3 py-2 text-sm text-primary focus:outline-none focus:ring-2 ring-accent"
value={form.weather_units ?? 'imperial'}
onChange={(e) => set('weather_units', e.target.value)}
>
<option value="imperial">Imperial (°F)</option>
<option value="metric">Metric (°C)</option>
</select>
</div>
</Section>
</div>
);
}

View File

@@ -0,0 +1,3 @@
export default function ShoppingPage() {
return <div className="p-6"><h1 className="text-2xl font-bold text-primary">Shopping</h1><p className="text-secondary mt-2">Phase 2</p></div>;
}

View File

@@ -0,0 +1,43 @@
import { create } from 'zustand';
import axios from 'axios';
export interface AppSettings {
theme: string;
accent: string;
photo_folder: string;
slideshow_speed: string;
slideshow_order: string;
idle_timeout: string;
time_format: string;
date_format: string;
weather_api_key: string;
weather_location: string;
weather_units: string;
}
interface SettingsState {
settings: AppSettings | null;
loading: boolean;
fetch: () => Promise<void>;
update: (patch: Partial<AppSettings>) => Promise<void>;
}
export const useSettingsStore = create<SettingsState>((set, get) => ({
settings: null,
loading: false,
fetch: async () => {
set({ loading: true });
const { data } = await axios.get<AppSettings>('/api/settings');
set({ settings: data, loading: false });
},
update: async (patch) => {
const { data } = await axios.patch<AppSettings>('/api/settings', patch);
set({ settings: data });
// Sync theme/accent to theme store
if (patch.theme || patch.accent) {
const { useThemeStore } = await import('./themeStore');
if (patch.theme) useThemeStore.getState().setMode(patch.theme as any);
if (patch.accent) useThemeStore.getState().setAccent(patch.accent as any);
}
},
}));

View File

@@ -0,0 +1,81 @@
import { create } from 'zustand';
import { persist } from 'zustand/middleware';
export type ThemeMode = 'light' | 'dark';
export type AccentColor = 'indigo' | 'teal' | 'rose' | 'amber' | 'slate';
interface ThemeState {
mode: ThemeMode;
accent: AccentColor;
setMode: (mode: ThemeMode) => void;
setAccent: (accent: AccentColor) => void;
toggleMode: () => void;
}
export const ACCENT_TOKENS: Record<AccentColor, { base: string; light: string; label: string }> = {
indigo: { base: '#6366f1', light: '#e0e7ff', label: 'Indigo' },
teal: { base: '#14b8a6', light: '#ccfbf1', label: 'Teal' },
rose: { base: '#f43f5e', light: '#ffe4e6', label: 'Rose' },
amber: { base: '#f59e0b', light: '#fef3c7', label: 'Amber' },
slate: { base: '#64748b', light: '#f1f5f9', label: 'Slate' },
};
function applyTheme(mode: ThemeMode, accent: AccentColor) {
const root = document.documentElement;
const { base, light } = ACCENT_TOKENS[accent];
// Toggle dark class on <html>
root.classList.toggle('dark', mode === 'dark');
// Accent tokens (same in both modes)
root.style.setProperty('--color-accent', base);
root.style.setProperty('--color-accent-light', light);
// Surface tokens
if (mode === 'dark') {
root.style.setProperty('--color-bg', '#0f172a');
root.style.setProperty('--color-surface', '#1e293b');
root.style.setProperty('--color-surface-raised', '#263548');
root.style.setProperty('--color-border', '#334155');
root.style.setProperty('--color-text-primary', '#f1f5f9');
root.style.setProperty('--color-text-secondary', '#94a3b8');
root.style.setProperty('--color-text-muted', '#64748b');
} else {
root.style.setProperty('--color-bg', '#f8fafc');
root.style.setProperty('--color-surface', '#ffffff');
root.style.setProperty('--color-surface-raised', '#f1f5f9');
root.style.setProperty('--color-border', '#e2e8f0');
root.style.setProperty('--color-text-primary', '#0f172a');
root.style.setProperty('--color-text-secondary', '#475569');
root.style.setProperty('--color-text-muted', '#94a3b8');
}
}
export const useThemeStore = create<ThemeState>()(
persist(
(set, get) => ({
mode: 'light',
accent: 'indigo',
setMode: (mode) => {
set({ mode });
applyTheme(mode, get().accent);
},
setAccent: (accent) => {
set({ accent });
applyTheme(get().mode, accent);
},
toggleMode: () => {
const next = get().mode === 'light' ? 'dark' : 'light';
set({ mode: next });
applyTheme(next, get().accent);
},
}),
{ name: 'fp-theme' }
)
);
/** Call once at app boot to hydrate CSS tokens from persisted state */
export function initTheme() {
const { mode, accent } = useThemeStore.getState();
applyTheme(mode, accent);
}

View File

@@ -0,0 +1,35 @@
import type { Config } from 'tailwindcss';
export default {
darkMode: 'class',
content: ['./index.html', './src/**/*.{ts,tsx}'],
theme: {
extend: {
colors: {
// Map CSS custom properties → Tailwind utilities
bg: 'var(--color-bg)',
surface: 'var(--color-surface)',
border: 'var(--color-border)',
'text-primary': 'var(--color-text-primary)',
'text-secondary': 'var(--color-text-secondary)',
accent: 'var(--color-accent)',
'accent-light': 'var(--color-accent-light)',
},
fontFamily: {
sans: ['Inter', 'system-ui', 'sans-serif'],
},
transitionProperty: {
theme: 'background-color, color, border-color, fill, stroke',
},
animation: {
'fade-in': 'fadeIn 0.3s ease-out',
'slide-up': 'slideUp 0.3s ease-out',
},
keyframes: {
fadeIn: { '0%': { opacity: '0' }, '100%': { opacity: '1' } },
slideUp: { '0%': { opacity: '0', transform: 'translateY(8px)' }, '100%': { opacity: '1', transform: 'translateY(0)' } },
},
},
},
plugins: [],
} satisfies Config;

14
apps/client/tsconfig.json Normal file
View File

@@ -0,0 +1,14 @@
{
"extends": "../../tsconfig.base.json",
"compilerOptions": {
"target": "ES2020",
"lib": ["ES2020", "DOM", "DOM.Iterable"],
"module": "ESNext",
"moduleResolution": "bundler",
"jsx": "react-jsx",
"noEmit": true,
"baseUrl": ".",
"paths": { "@/*": ["src/*"] }
},
"include": ["src"]
}

View File

@@ -0,0 +1,16 @@
import { defineConfig } from 'vite';
import react from '@vitejs/plugin-react';
import path from 'path';
export default defineConfig({
plugins: [react()],
resolve: {
alias: { '@': path.resolve(__dirname, './src') },
},
server: {
port: 5173,
proxy: {
'/api': { target: 'http://localhost:3001', changeOrigin: true },
},
},
});