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:
30
.dockerignore
Normal file
30
.dockerignore
Normal file
@@ -0,0 +1,30 @@
|
|||||||
|
# Git
|
||||||
|
.git
|
||||||
|
.gitignore
|
||||||
|
|
||||||
|
# Node modules (installed fresh in Docker)
|
||||||
|
node_modules
|
||||||
|
apps/*/node_modules
|
||||||
|
|
||||||
|
# Dev/test artifacts
|
||||||
|
apps/client/dist
|
||||||
|
apps/server/dist
|
||||||
|
apps/server/data
|
||||||
|
|
||||||
|
# Env files (never bake secrets into the image)
|
||||||
|
.env
|
||||||
|
.env.*
|
||||||
|
|
||||||
|
# OS / editor noise
|
||||||
|
.DS_Store
|
||||||
|
Thumbs.db
|
||||||
|
*.log
|
||||||
|
|
||||||
|
# Agent / docs (not needed at runtime)
|
||||||
|
AGENTS.md
|
||||||
|
DEPLOYMENT-PROFILE.md
|
||||||
|
INSTALL.md
|
||||||
|
ROUTING-EXAMPLES.md
|
||||||
|
SKILLS.md
|
||||||
|
hubs/
|
||||||
|
skills/
|
||||||
19
.env.example
Normal file
19
.env.example
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
# Copy this file to .env and fill in your values.
|
||||||
|
# docker-compose.yml reads these automatically.
|
||||||
|
|
||||||
|
# Host port the app will be accessible on
|
||||||
|
PORT=3001
|
||||||
|
|
||||||
|
# Your timezone (used for correct date/time display)
|
||||||
|
TZ=America/New_York
|
||||||
|
|
||||||
|
# Host path where the SQLite database is stored
|
||||||
|
DATA_PATH=/mnt/user/appdata/family-planner
|
||||||
|
|
||||||
|
# Host path to your photo library (mounted read-only into the container)
|
||||||
|
PHOTOS_PATH=/mnt/user/Photos
|
||||||
|
|
||||||
|
# File ownership inside the container
|
||||||
|
# Unraid default: nobody (99) + users (100)
|
||||||
|
PUID=99
|
||||||
|
PGID=100
|
||||||
39
.gitignore
vendored
Normal file
39
.gitignore
vendored
Normal file
@@ -0,0 +1,39 @@
|
|||||||
|
# ── Dependencies ──────────────────────────────────────────────────────────────
|
||||||
|
node_modules/
|
||||||
|
.pnpm-store/
|
||||||
|
|
||||||
|
# ── Build output ──────────────────────────────────────────────────────────────
|
||||||
|
apps/client/dist/
|
||||||
|
apps/server/dist/
|
||||||
|
*.tsbuildinfo
|
||||||
|
|
||||||
|
# ── Database & runtime data ───────────────────────────────────────────────────
|
||||||
|
apps/server/data/
|
||||||
|
*.db
|
||||||
|
*.db-shm
|
||||||
|
*.db-wal
|
||||||
|
|
||||||
|
# ── Environment files ─────────────────────────────────────────────────────────
|
||||||
|
.env
|
||||||
|
.env.local
|
||||||
|
.env.*.local
|
||||||
|
|
||||||
|
# ── Claude Code local settings ────────────────────────────────────────────────
|
||||||
|
.claude/settings.local.json
|
||||||
|
|
||||||
|
# ── Editor & OS noise ─────────────────────────────────────────────────────────
|
||||||
|
.DS_Store
|
||||||
|
Thumbs.db
|
||||||
|
Desktop.ini
|
||||||
|
*.swp
|
||||||
|
*.swo
|
||||||
|
.vscode/
|
||||||
|
.idea/
|
||||||
|
|
||||||
|
# ── Logs ──────────────────────────────────────────────────────────────────────
|
||||||
|
*.log
|
||||||
|
npm-debug.log*
|
||||||
|
pnpm-debug.log*
|
||||||
|
|
||||||
|
# ── Misc pnpm artifacts ───────────────────────────────────────────────────────
|
||||||
|
.pnpm-approve-builds.json
|
||||||
88
Dockerfile
Normal file
88
Dockerfile
Normal file
@@ -0,0 +1,88 @@
|
|||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
# Stage 1 — Build client
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
FROM node:22-alpine AS client-builder
|
||||||
|
|
||||||
|
WORKDIR /build
|
||||||
|
|
||||||
|
# Install pnpm
|
||||||
|
RUN corepack enable && corepack prepare pnpm@latest --activate
|
||||||
|
|
||||||
|
# Copy workspace manifests first for better layer caching
|
||||||
|
COPY pnpm-workspace.yaml package.json pnpm-lock.yaml* ./
|
||||||
|
COPY apps/client/package.json ./apps/client/
|
||||||
|
COPY apps/server/package.json ./apps/server/
|
||||||
|
COPY tsconfig.base.json ./
|
||||||
|
|
||||||
|
# Install all workspace deps
|
||||||
|
RUN pnpm install --frozen-lockfile
|
||||||
|
|
||||||
|
# Copy client source and build
|
||||||
|
COPY apps/client ./apps/client/
|
||||||
|
RUN pnpm --filter client build
|
||||||
|
|
||||||
|
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
# Stage 2 — Build server
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
FROM node:22-alpine AS server-builder
|
||||||
|
|
||||||
|
WORKDIR /build
|
||||||
|
|
||||||
|
RUN corepack enable && corepack prepare pnpm@latest --activate
|
||||||
|
|
||||||
|
COPY pnpm-workspace.yaml package.json pnpm-lock.yaml* ./
|
||||||
|
COPY apps/server/package.json ./apps/server/
|
||||||
|
COPY apps/client/package.json ./apps/client/
|
||||||
|
COPY tsconfig.base.json ./
|
||||||
|
|
||||||
|
# Install only server production deps + rebuild native modules for target arch
|
||||||
|
RUN pnpm install --frozen-lockfile
|
||||||
|
|
||||||
|
COPY apps/server ./apps/server/
|
||||||
|
RUN pnpm --filter server build
|
||||||
|
|
||||||
|
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
# Stage 3 — Production runtime
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
FROM node:22-alpine AS runtime
|
||||||
|
|
||||||
|
# Install tini for proper PID 1 signal handling
|
||||||
|
RUN apk add --no-cache tini su-exec
|
||||||
|
|
||||||
|
WORKDIR /app
|
||||||
|
|
||||||
|
# No native deps — runtime only needs node_modules for pure-JS packages (express, cors, etc.)
|
||||||
|
# Copy them directly from the builder stage instead of re-installing
|
||||||
|
COPY --from=server-builder /build/node_modules ./node_modules
|
||||||
|
COPY --from=server-builder /build/apps/server/node_modules ./apps/server/node_modules 2>/dev/null || true
|
||||||
|
|
||||||
|
# Copy compiled server output (includes dist/db/migrations/*.js compiled by tsc)
|
||||||
|
COPY --from=server-builder /build/apps/server/dist ./apps/server/dist
|
||||||
|
|
||||||
|
# Copy built client into the path the server expects
|
||||||
|
COPY --from=client-builder /build/apps/client/dist ./apps/client/dist
|
||||||
|
|
||||||
|
# ── Runtime configuration ─────────────────────────────────────────────────
|
||||||
|
ENV NODE_ENV=production \
|
||||||
|
PORT=3001 \
|
||||||
|
DATA_DIR=/data \
|
||||||
|
PHOTOS_DIR=/photos \
|
||||||
|
PUID=99 \
|
||||||
|
PGID=100 \
|
||||||
|
TZ=UTC \
|
||||||
|
NODE_NO_WARNINGS=1
|
||||||
|
|
||||||
|
# /data — persistent: SQLite database
|
||||||
|
# /photos — bind-mount: read-only user photo library
|
||||||
|
VOLUME ["/data"]
|
||||||
|
|
||||||
|
EXPOSE 3001
|
||||||
|
|
||||||
|
# Entrypoint: fix ownership then drop to PUID/PGID
|
||||||
|
COPY docker-entrypoint.sh /usr/local/bin/entrypoint.sh
|
||||||
|
RUN chmod +x /usr/local/bin/entrypoint.sh
|
||||||
|
|
||||||
|
ENTRYPOINT ["/sbin/tini", "--", "/usr/local/bin/entrypoint.sh"]
|
||||||
|
CMD ["node", "apps/server/dist/index.js"]
|
||||||
325
UNRAID.md
Normal file
325
UNRAID.md
Normal file
@@ -0,0 +1,325 @@
|
|||||||
|
# Unraid Install Guide — Family Planner
|
||||||
|
|
||||||
|
Two installation methods are available: the **GUI** method using the Community Applications template, and the **CLI** method using the Unraid terminal. Both produce an identical container. Choose whichever you prefer.
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Prerequisites
|
||||||
|
|
||||||
|
- Unraid 6.10 or later
|
||||||
|
- Docker service enabled (Unraid Settings → Docker → Enable Docker: Yes)
|
||||||
|
- The Family Planner image published to a container registry (e.g. `ghcr.io/your-username/family-planner:latest`)
|
||||||
|
- At least one share for app data (e.g. `appdata`) — created automatically by Unraid if it does not exist
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Paths and Variables Reference
|
||||||
|
|
||||||
|
Understand these before installing. Both methods use the same values.
|
||||||
|
|
||||||
|
### Volume Mounts
|
||||||
|
|
||||||
|
| Container path | Host path (default) | Access | Required | Purpose |
|
||||||
|
|---|---|---|---|---|
|
||||||
|
| `/data` | `/mnt/user/appdata/family-planner` | read/write | **Yes** | SQLite database, migrations state |
|
||||||
|
| `/photos` | `/mnt/user/Photos` | read-only | No | Photo library for the slideshow screensaver |
|
||||||
|
|
||||||
|
**`/data` must be writable.** This is where the database file (`family.db`) lives. If this volume is lost, all data is lost — back it up like any other appdata folder.
|
||||||
|
|
||||||
|
**`/photos` is read-only.** The app scans this folder recursively for images (`.jpg`, `.jpeg`, `.png`, `.gif`, `.webp`, `.avif`, `.bmp`). Point it at any existing share or subfolder on your array. You can also leave it unmapped and configure the path later inside the app under Settings → Photo Slideshow.
|
||||||
|
|
||||||
|
### Port Mapping
|
||||||
|
|
||||||
|
| Host port | Container port | Protocol | Purpose |
|
||||||
|
|---|---|---|---|
|
||||||
|
| `3001` (configurable) | `3001` | TCP | Web UI |
|
||||||
|
|
||||||
|
Change the host port if `3001` is already in use on your server. The container port stays `3001`.
|
||||||
|
|
||||||
|
### Environment Variables
|
||||||
|
|
||||||
|
| Variable | Default | Required | Description |
|
||||||
|
|---|---|---|---|
|
||||||
|
| `TZ` | `America/New_York` | Recommended | Timezone for date/time display. Full list: [tz database](https://en.wikipedia.org/wiki/List_of_tz_database_time_zones) |
|
||||||
|
| `PUID` | `99` | No | UID the process runs as inside the container. Unraid's `nobody` = `99`. Run `id <username>` in the terminal to find yours. |
|
||||||
|
| `PGID` | `100` | No | GID the process runs as. Unraid's `users` group = `100`. |
|
||||||
|
| `PORT` | `3001` | No | Internal app port. Do not change unless you have a specific reason. |
|
||||||
|
| `DATA_DIR` | `/data` | No | Internal path to the data directory. Do not change. |
|
||||||
|
| `PHOTOS_DIR` | `/photos` | No | Internal path to the photos directory. Do not change. |
|
||||||
|
| `NODE_NO_WARNINGS` | `1` | No | Suppresses the Node.js experimental SQLite warning. Do not change. |
|
||||||
|
|
||||||
|
**Finding your PUID/PGID** — open the Unraid terminal and run:
|
||||||
|
```bash
|
||||||
|
id nobody
|
||||||
|
# uid=99(nobody) gid=100(users)
|
||||||
|
```
|
||||||
|
If you want files written with your personal user's ownership instead:
|
||||||
|
```bash
|
||||||
|
id your-username
|
||||||
|
# uid=1000(your-username) gid=100(users)
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Method 1 — GUI (Community Applications Template)
|
||||||
|
|
||||||
|
### Step 1 — Copy the template file
|
||||||
|
|
||||||
|
Open the Unraid terminal (Tools → Terminal) and run:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
cp /path/to/family-planner/unraid/family-planner.xml \
|
||||||
|
/boot/config/plugins/dockerMan/templates-user/family-planner.xml
|
||||||
|
```
|
||||||
|
|
||||||
|
If you cloned the repo directly onto your server, the path will be wherever you placed it. Alternatively, paste the XML file content manually into a new file at that location.
|
||||||
|
|
||||||
|
### Step 2 — Open Docker and add the container
|
||||||
|
|
||||||
|
1. In the Unraid web UI, go to the **Docker** tab
|
||||||
|
2. Click **Add Container**
|
||||||
|
3. At the top, click the **Template** dropdown and select **Family Planner** from the user templates section
|
||||||
|
4. The form will pre-fill with all default values
|
||||||
|
|
||||||
|
### Step 3 — Review and adjust each field
|
||||||
|
|
||||||
|
Work through the form top to bottom:
|
||||||
|
|
||||||
|
**Repository**
|
||||||
|
```
|
||||||
|
ghcr.io/your-username/family-planner:latest
|
||||||
|
```
|
||||||
|
Replace `your-username` with the actual GitHub username or registry path once the image is published.
|
||||||
|
|
||||||
|
**Network Type**
|
||||||
|
```
|
||||||
|
Bridge
|
||||||
|
```
|
||||||
|
Leave as-is unless you have a specific reason to use host or a custom network.
|
||||||
|
|
||||||
|
**Port Mappings**
|
||||||
|
|
||||||
|
| Name | Container port | Host port |
|
||||||
|
|---|---|---|
|
||||||
|
| Web UI Port | `3001` | `3001` (change if needed) |
|
||||||
|
|
||||||
|
**Path Mappings**
|
||||||
|
|
||||||
|
| Name | Container path | Host path | Access |
|
||||||
|
|---|---|---|---|
|
||||||
|
| App Data | `/data` | `/mnt/user/appdata/family-planner` | Read/Write |
|
||||||
|
| Photos Path | `/photos` | `/mnt/user/Photos` | Read Only |
|
||||||
|
|
||||||
|
To change the photos path: click the field and type the full path to your photos share. Common examples:
|
||||||
|
- `/mnt/user/Photos`
|
||||||
|
- `/mnt/user/Media/Family Photos`
|
||||||
|
- `/mnt/disk1/photos` (specific disk, bypasses cache)
|
||||||
|
|
||||||
|
Leave the Photos Path blank or point it at an empty folder if you do not want the slideshow feature yet — you can configure it later in the app.
|
||||||
|
|
||||||
|
**Variables**
|
||||||
|
|
||||||
|
| Name | Value |
|
||||||
|
|---|---|
|
||||||
|
| TZ | Your timezone, e.g. `America/Chicago` |
|
||||||
|
| PUID | `99` (or your personal UID) |
|
||||||
|
| PGID | `100` |
|
||||||
|
| PORT | `3001` (leave as-is) |
|
||||||
|
|
||||||
|
### Step 4 — Apply
|
||||||
|
|
||||||
|
Click **Apply** at the bottom of the form. Unraid will:
|
||||||
|
1. Pull the image
|
||||||
|
2. Create the container
|
||||||
|
3. Start it automatically
|
||||||
|
|
||||||
|
### Step 5 — Verify
|
||||||
|
|
||||||
|
Click the container row to expand it, then click **WebUI** (or navigate to `http://YOUR-SERVER-IP:3001` in your browser). The Family Planner dashboard should load.
|
||||||
|
|
||||||
|
To check container logs:
|
||||||
|
1. Click the container icon (the colored square to the left of the container name)
|
||||||
|
2. Select **Logs**
|
||||||
|
3. You should see:
|
||||||
|
```
|
||||||
|
[db] Running 1 pending migration(s)...
|
||||||
|
[db] ✓ Applied: 001_initial
|
||||||
|
[db] Migrations complete.
|
||||||
|
Family Planner running on http://0.0.0.0:3001
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Method 2 — CLI (Terminal Script)
|
||||||
|
|
||||||
|
This method runs a shell script from the Unraid terminal. It pulls the image, creates the container, and verifies it started correctly — all in one step.
|
||||||
|
|
||||||
|
### Step 1 — Open the Unraid terminal
|
||||||
|
|
||||||
|
Tools → Terminal (or SSH into your server).
|
||||||
|
|
||||||
|
### Step 2 — Run the installer
|
||||||
|
|
||||||
|
**Option A — If you have the repo on the server:**
|
||||||
|
```bash
|
||||||
|
bash /path/to/family-planner/unraid/install.sh
|
||||||
|
```
|
||||||
|
|
||||||
|
**Option B — Override any defaults inline before running:**
|
||||||
|
```bash
|
||||||
|
HOST_PORT=3001 \
|
||||||
|
DATA_PATH=/mnt/user/appdata/family-planner \
|
||||||
|
PHOTOS_PATH=/mnt/user/Photos \
|
||||||
|
PUID=99 \
|
||||||
|
PGID=100 \
|
||||||
|
TZ=America/New_York \
|
||||||
|
bash /path/to/family-planner/unraid/install.sh
|
||||||
|
```
|
||||||
|
|
||||||
|
**Option C — Once the image is published, pull and run in one step:**
|
||||||
|
```bash
|
||||||
|
curl -fsSL https://raw.githubusercontent.com/your-username/family-planner/main/unraid/install.sh | bash
|
||||||
|
```
|
||||||
|
Or with custom values:
|
||||||
|
```bash
|
||||||
|
HOST_PORT=8080 PHOTOS_PATH=/mnt/user/Media/Photos \
|
||||||
|
curl -fsSL https://raw.githubusercontent.com/your-username/family-planner/main/unraid/install.sh | bash
|
||||||
|
```
|
||||||
|
|
||||||
|
### Step 3 — Confirm the settings prompt
|
||||||
|
|
||||||
|
The script will display a summary of the values it will use and ask for confirmation:
|
||||||
|
```
|
||||||
|
[INFO] Family Planner — Unraid Installer
|
||||||
|
|
||||||
|
Container : family-planner
|
||||||
|
Image : ghcr.io/your-username/family-planner:latest
|
||||||
|
Port : 3001 → 3001
|
||||||
|
Data path : /mnt/user/appdata/family-planner
|
||||||
|
Photos : /mnt/user/Photos (read-only)
|
||||||
|
PUID/PGID : 99/100
|
||||||
|
TZ : America/New_York
|
||||||
|
|
||||||
|
Proceed with these settings? [Y/n]
|
||||||
|
```
|
||||||
|
Press **Enter** (or type `Y`) to proceed.
|
||||||
|
|
||||||
|
### Step 4 — Wait for completion
|
||||||
|
|
||||||
|
The script will:
|
||||||
|
1. Stop and remove any existing container named `family-planner`
|
||||||
|
2. Create the data directory if it does not exist
|
||||||
|
3. Pull the latest image
|
||||||
|
4. Start the container
|
||||||
|
5. Wait up to 30 seconds for a successful health check
|
||||||
|
|
||||||
|
On success you will see:
|
||||||
|
```
|
||||||
|
[OK] Family Planner is up!
|
||||||
|
[OK] Installation complete.
|
||||||
|
|
||||||
|
Open in browser : http://192.168.1.X:3001
|
||||||
|
View logs : docker logs -f family-planner
|
||||||
|
Stop : docker stop family-planner
|
||||||
|
```
|
||||||
|
|
||||||
|
### Step 5 — Verify manually (optional)
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Check the container is running
|
||||||
|
docker ps | grep family-planner
|
||||||
|
|
||||||
|
# Tail live logs
|
||||||
|
docker logs -f family-planner
|
||||||
|
|
||||||
|
# Hit the API to confirm the app is responding
|
||||||
|
curl -s http://localhost:3001/api/settings | python3 -m json.tool
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Updating
|
||||||
|
|
||||||
|
### GUI
|
||||||
|
|
||||||
|
1. In the Docker tab, click the container icon and select **Check for Updates**
|
||||||
|
2. If an update is available, click **Update** — Unraid will pull the new image and recreate the container preserving your volume mappings
|
||||||
|
|
||||||
|
### CLI
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Pull the new image
|
||||||
|
docker pull ghcr.io/your-username/family-planner:latest
|
||||||
|
|
||||||
|
# Stop and remove the old container (data is safe — it lives in /data volume)
|
||||||
|
docker stop family-planner
|
||||||
|
docker rm family-planner
|
||||||
|
|
||||||
|
# Re-run the install script with the same settings
|
||||||
|
bash /path/to/family-planner/unraid/install.sh
|
||||||
|
```
|
||||||
|
|
||||||
|
Or as a one-liner:
|
||||||
|
```bash
|
||||||
|
docker pull ghcr.io/your-username/family-planner:latest \
|
||||||
|
&& docker stop family-planner \
|
||||||
|
&& docker rm family-planner \
|
||||||
|
&& bash /path/to/family-planner/unraid/install.sh
|
||||||
|
```
|
||||||
|
|
||||||
|
> **Database migrations run automatically on startup.** When a new version adds schema changes, the migration runner applies them the first time the updated container starts. Your existing data is preserved.
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Backup
|
||||||
|
|
||||||
|
The entire application state lives in one file:
|
||||||
|
|
||||||
|
```
|
||||||
|
/mnt/user/appdata/family-planner/family.db
|
||||||
|
```
|
||||||
|
|
||||||
|
Back this up with Unraid's built-in **Appdata Backup** plugin, or manually:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# One-time backup
|
||||||
|
cp /mnt/user/appdata/family-planner/family.db \
|
||||||
|
/mnt/user/Backups/family-planner-$(date +%Y%m%d).db
|
||||||
|
|
||||||
|
# Restore (stop the container first)
|
||||||
|
docker stop family-planner
|
||||||
|
cp /mnt/user/Backups/family-planner-20260101.db \
|
||||||
|
/mnt/user/appdata/family-planner/family.db
|
||||||
|
docker start family-planner
|
||||||
|
```
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
## Troubleshooting
|
||||||
|
|
||||||
|
**Container exits immediately**
|
||||||
|
```bash
|
||||||
|
docker logs family-planner
|
||||||
|
```
|
||||||
|
Look for `[db] ✗ Failed:` — a migration failure aborts startup. This usually means the `/data` volume is not writable or the database file is corrupted.
|
||||||
|
|
||||||
|
**Cannot access the web UI**
|
||||||
|
- Confirm the container is running: `docker ps | grep family-planner`
|
||||||
|
- Check the host port is not blocked by Unraid's firewall or already in use: `ss -tlnp | grep 3001`
|
||||||
|
- Try accessing via the server's LAN IP directly: `http://192.168.1.X:3001`
|
||||||
|
|
||||||
|
**Photos not showing in slideshow**
|
||||||
|
- Verify the `/photos` volume is mapped and the path exists: `docker exec family-planner ls /photos`
|
||||||
|
- Check the path in the app: Settings → Photo Slideshow → Photo Folder Path
|
||||||
|
- Supported formats: `.jpg`, `.jpeg`, `.png`, `.gif`, `.webp`, `.avif`, `.bmp`
|
||||||
|
|
||||||
|
**Wrong timezone / dates**
|
||||||
|
- Set `TZ` to a valid tz database name, e.g. `America/Los_Angeles`, `Europe/London`, `Asia/Tokyo`
|
||||||
|
- Full list: `docker exec family-planner cat /usr/share/zoneinfo/tzdata.zi | head -20` or see [Wikipedia](https://en.wikipedia.org/wiki/List_of_tz_database_time_zones)
|
||||||
|
- Recreate the container after changing `TZ` — it is read at startup
|
||||||
|
|
||||||
|
**File permission errors in logs**
|
||||||
|
- The entrypoint script sets ownership of `/data` to `PUID:PGID` on every start
|
||||||
|
- If you see permission errors, check that `PUID`/`PGID` match the owner of your appdata share
|
||||||
|
- Run `ls -la /mnt/user/appdata/family-planner` to see current ownership
|
||||||
|
- Run `id nobody` and `id your-username` to compare UIDs
|
||||||
20
apps/client/index.html
Normal file
20
apps/client/index.html
Normal 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
33
apps/client/package.json
Normal 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"
|
||||||
|
}
|
||||||
|
}
|
||||||
6
apps/client/postcss.config.js
Normal file
6
apps/client/postcss.config.js
Normal file
@@ -0,0 +1,6 @@
|
|||||||
|
export default {
|
||||||
|
plugins: {
|
||||||
|
tailwindcss: {},
|
||||||
|
autoprefixer: {},
|
||||||
|
},
|
||||||
|
};
|
||||||
33
apps/client/src/App.tsx
Normal file
33
apps/client/src/App.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
197
apps/client/src/components/layout/AppShell.tsx
Normal file
197
apps/client/src/components/layout/AppShell.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
37
apps/client/src/components/ui/Avatar.tsx
Normal file
37
apps/client/src/components/ui/Avatar.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
19
apps/client/src/components/ui/Badge.tsx
Normal file
19
apps/client/src/components/ui/Badge.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
51
apps/client/src/components/ui/Button.tsx
Normal file
51
apps/client/src/components/ui/Button.tsx
Normal 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';
|
||||||
38
apps/client/src/components/ui/Input.tsx
Normal file
38
apps/client/src/components/ui/Input.tsx
Normal 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';
|
||||||
83
apps/client/src/components/ui/Modal.tsx
Normal file
83
apps/client/src/components/ui/Modal.tsx
Normal 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
|
||||||
|
);
|
||||||
|
}
|
||||||
56
apps/client/src/components/ui/ThemeToggle.tsx
Normal file
56
apps/client/src/components/ui/ThemeToggle.tsx
Normal 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
65
apps/client/src/index.css
Normal 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
103
apps/client/src/lib/api.ts
Normal 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
21
apps/client/src/main.tsx
Normal 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>
|
||||||
|
);
|
||||||
3
apps/client/src/pages/Board.tsx
Normal file
3
apps/client/src/pages/Board.tsx
Normal 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>;
|
||||||
|
}
|
||||||
3
apps/client/src/pages/Calendar.tsx
Normal file
3
apps/client/src/pages/Calendar.tsx
Normal 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>;
|
||||||
|
}
|
||||||
3
apps/client/src/pages/Chores.tsx
Normal file
3
apps/client/src/pages/Chores.tsx
Normal 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>;
|
||||||
|
}
|
||||||
3
apps/client/src/pages/Countdowns.tsx
Normal file
3
apps/client/src/pages/Countdowns.tsx
Normal 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>;
|
||||||
|
}
|
||||||
8
apps/client/src/pages/Dashboard.tsx
Normal file
8
apps/client/src/pages/Dashboard.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
3
apps/client/src/pages/Meals.tsx
Normal file
3
apps/client/src/pages/Meals.tsx
Normal 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>;
|
||||||
|
}
|
||||||
234
apps/client/src/pages/Members.tsx
Normal file
234
apps/client/src/pages/Members.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
3
apps/client/src/pages/Photos.tsx
Normal file
3
apps/client/src/pages/Photos.tsx
Normal 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>;
|
||||||
|
}
|
||||||
208
apps/client/src/pages/Settings.tsx
Normal file
208
apps/client/src/pages/Settings.tsx
Normal 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>
|
||||||
|
);
|
||||||
|
}
|
||||||
3
apps/client/src/pages/Shopping.tsx
Normal file
3
apps/client/src/pages/Shopping.tsx
Normal 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>;
|
||||||
|
}
|
||||||
43
apps/client/src/store/settingsStore.ts
Normal file
43
apps/client/src/store/settingsStore.ts
Normal 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);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
}));
|
||||||
81
apps/client/src/store/themeStore.ts
Normal file
81
apps/client/src/store/themeStore.ts
Normal 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);
|
||||||
|
}
|
||||||
35
apps/client/tailwind.config.ts
Normal file
35
apps/client/tailwind.config.ts
Normal 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
14
apps/client/tsconfig.json
Normal 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"]
|
||||||
|
}
|
||||||
16
apps/client/vite.config.ts
Normal file
16
apps/client/vite.config.ts
Normal 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 },
|
||||||
|
},
|
||||||
|
},
|
||||||
|
});
|
||||||
23
apps/server/package.json
Normal file
23
apps/server/package.json
Normal file
@@ -0,0 +1,23 @@
|
|||||||
|
{
|
||||||
|
"name": "server",
|
||||||
|
"private": true,
|
||||||
|
"version": "1.0.0",
|
||||||
|
"scripts": {
|
||||||
|
"dev": "tsx watch src/index.ts",
|
||||||
|
"build": "tsc -p tsconfig.json",
|
||||||
|
"start": "node dist/index.js"
|
||||||
|
},
|
||||||
|
"dependencies": {
|
||||||
|
"cors": "^2.8.5",
|
||||||
|
"express": "^4.18.3",
|
||||||
|
"multer": "^1.4.5-lts.1"
|
||||||
|
},
|
||||||
|
"devDependencies": {
|
||||||
|
"@types/cors": "^2.8.17",
|
||||||
|
"@types/express": "^4.17.21",
|
||||||
|
"@types/multer": "^1.4.11",
|
||||||
|
"@types/node": "^22.0.0",
|
||||||
|
"tsx": "^4.7.1",
|
||||||
|
"typescript": "^5.3.3"
|
||||||
|
}
|
||||||
|
}
|
||||||
39
apps/server/src/db/db.ts
Normal file
39
apps/server/src/db/db.ts
Normal file
@@ -0,0 +1,39 @@
|
|||||||
|
import { DatabaseSync, type StatementSync } from 'node:sqlite';
|
||||||
|
import path from 'path';
|
||||||
|
import fs from 'fs';
|
||||||
|
|
||||||
|
const DATA_DIR = process.env.DATA_DIR ?? path.join(__dirname, '../../data');
|
||||||
|
if (!fs.existsSync(DATA_DIR)) fs.mkdirSync(DATA_DIR, { recursive: true });
|
||||||
|
|
||||||
|
const _db = new DatabaseSync(path.join(DATA_DIR, 'family.db'));
|
||||||
|
|
||||||
|
_db.exec('PRAGMA journal_mode = WAL');
|
||||||
|
_db.exec('PRAGMA foreign_keys = ON');
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Transaction wrapper matching better-sqlite3's API:
|
||||||
|
* const fn = db.transaction((args) => { ... });
|
||||||
|
* fn(args); // runs inside BEGIN / COMMIT, rolls back on throw
|
||||||
|
*/
|
||||||
|
function transaction<TArgs extends unknown[], TReturn>(
|
||||||
|
fn: (...args: TArgs) => TReturn
|
||||||
|
): (...args: TArgs) => TReturn {
|
||||||
|
return (...args: TArgs): TReturn => {
|
||||||
|
_db.exec('BEGIN');
|
||||||
|
try {
|
||||||
|
const result = fn(...args);
|
||||||
|
_db.exec('COMMIT');
|
||||||
|
return result;
|
||||||
|
} catch (err) {
|
||||||
|
try { _db.exec('ROLLBACK'); } catch { /* ignore rollback errors */ }
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// Re-export db with the transaction helper attached, preserving full DatabaseSync interface
|
||||||
|
const db = Object.assign(_db, { transaction });
|
||||||
|
|
||||||
|
export type Db = typeof db;
|
||||||
|
export type Statement = StatementSync;
|
||||||
|
export default db;
|
||||||
120
apps/server/src/db/migrations/001_initial.ts
Normal file
120
apps/server/src/db/migrations/001_initial.ts
Normal file
@@ -0,0 +1,120 @@
|
|||||||
|
export const id = '001_initial';
|
||||||
|
|
||||||
|
export const up = `
|
||||||
|
-- ─── Family Members ───────────────────────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS members (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
name TEXT NOT NULL,
|
||||||
|
color TEXT NOT NULL DEFAULT '#6366f1',
|
||||||
|
avatar TEXT,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── App Settings (key/value store) ───────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS settings (
|
||||||
|
key TEXT PRIMARY KEY,
|
||||||
|
value TEXT NOT NULL
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Calendar Events ──────────────────────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS events (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
title TEXT NOT NULL,
|
||||||
|
description TEXT,
|
||||||
|
start_at TEXT NOT NULL,
|
||||||
|
end_at TEXT NOT NULL,
|
||||||
|
all_day INTEGER NOT NULL DEFAULT 0,
|
||||||
|
recurrence TEXT,
|
||||||
|
member_id INTEGER REFERENCES members(id) ON DELETE SET NULL,
|
||||||
|
color TEXT,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Shopping Lists ───────────────────────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS shopping_lists (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
name TEXT NOT NULL,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
CREATE TABLE IF NOT EXISTS shopping_items (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
list_id INTEGER NOT NULL REFERENCES shopping_lists(id) ON DELETE CASCADE,
|
||||||
|
name TEXT NOT NULL,
|
||||||
|
quantity TEXT,
|
||||||
|
checked INTEGER NOT NULL DEFAULT 0,
|
||||||
|
member_id INTEGER REFERENCES members(id) ON DELETE SET NULL,
|
||||||
|
sort_order INTEGER NOT NULL DEFAULT 0,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Chores ───────────────────────────────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS chores (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
title TEXT NOT NULL,
|
||||||
|
description TEXT,
|
||||||
|
member_id INTEGER REFERENCES members(id) ON DELETE SET NULL,
|
||||||
|
recurrence TEXT NOT NULL DEFAULT 'none',
|
||||||
|
status TEXT NOT NULL DEFAULT 'pending',
|
||||||
|
due_date TEXT,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
CREATE TABLE IF NOT EXISTS chore_completions (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
chore_id INTEGER NOT NULL REFERENCES chores(id) ON DELETE CASCADE,
|
||||||
|
member_id INTEGER REFERENCES members(id) ON DELETE SET NULL,
|
||||||
|
completed_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Meal Planner (one meal per day — dinner) ─────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS meals (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
date TEXT NOT NULL,
|
||||||
|
title TEXT NOT NULL,
|
||||||
|
description TEXT,
|
||||||
|
recipe_url TEXT,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now')),
|
||||||
|
UNIQUE(date)
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Message Board ────────────────────────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS messages (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
member_id INTEGER REFERENCES members(id) ON DELETE SET NULL,
|
||||||
|
body TEXT NOT NULL,
|
||||||
|
color TEXT NOT NULL DEFAULT '#fef08a',
|
||||||
|
emoji TEXT,
|
||||||
|
pinned INTEGER NOT NULL DEFAULT 0,
|
||||||
|
expires_at TEXT,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Countdowns ───────────────────────────────────────────────────
|
||||||
|
CREATE TABLE IF NOT EXISTS countdowns (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
title TEXT NOT NULL,
|
||||||
|
target_date TEXT NOT NULL,
|
||||||
|
emoji TEXT,
|
||||||
|
color TEXT NOT NULL DEFAULT '#6366f1',
|
||||||
|
show_on_dashboard INTEGER NOT NULL DEFAULT 1,
|
||||||
|
event_id INTEGER REFERENCES events(id) ON DELETE CASCADE,
|
||||||
|
created_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
|
||||||
|
-- ─── Seed default settings ────────────────────────────────────────
|
||||||
|
INSERT OR IGNORE INTO settings (key, value) VALUES
|
||||||
|
('theme', 'light'),
|
||||||
|
('accent', 'indigo'),
|
||||||
|
('photo_folder', ''),
|
||||||
|
('slideshow_speed', '6000'),
|
||||||
|
('slideshow_order', 'random'),
|
||||||
|
('idle_timeout', '120000'),
|
||||||
|
('time_format', '12h'),
|
||||||
|
('date_format', 'MM/DD/YYYY'),
|
||||||
|
('weather_api_key', ''),
|
||||||
|
('weather_location',''),
|
||||||
|
('weather_units', 'imperial');
|
||||||
|
|
||||||
|
INSERT OR IGNORE INTO shopping_lists (id, name) VALUES (1, 'Groceries');
|
||||||
|
`;
|
||||||
123
apps/server/src/db/runner.ts
Normal file
123
apps/server/src/db/runner.ts
Normal file
@@ -0,0 +1,123 @@
|
|||||||
|
/**
|
||||||
|
* Migration runner
|
||||||
|
*
|
||||||
|
* How it works:
|
||||||
|
* 1. Creates a `_migrations` table on first run.
|
||||||
|
* 2. Loads all migration modules from ./migrations/ in filename order.
|
||||||
|
* 3. Skips any migration whose `id` is already recorded in `_migrations`.
|
||||||
|
* 4. Executes pending migrations inside individual transactions.
|
||||||
|
* 5. Records each successful migration with a timestamp.
|
||||||
|
*
|
||||||
|
* Adding a new migration:
|
||||||
|
* - Create `apps/server/src/db/migrations/NNN_description.ts`
|
||||||
|
* - Export `id` (string, matches filename) and `up` (SQL string).
|
||||||
|
* - Optionally export `down` (SQL string) for rollback support.
|
||||||
|
* - The runner picks it up automatically on next startup.
|
||||||
|
*/
|
||||||
|
|
||||||
|
import db from './db';
|
||||||
|
import path from 'path';
|
||||||
|
import fs from 'fs';
|
||||||
|
|
||||||
|
interface Migration {
|
||||||
|
id: string;
|
||||||
|
up: string;
|
||||||
|
down?: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
function bootstrap() {
|
||||||
|
db.exec(`
|
||||||
|
CREATE TABLE IF NOT EXISTS _migrations (
|
||||||
|
id TEXT PRIMARY KEY,
|
||||||
|
applied_at TEXT NOT NULL DEFAULT (datetime('now'))
|
||||||
|
);
|
||||||
|
`);
|
||||||
|
}
|
||||||
|
|
||||||
|
function loadMigrations(): Migration[] {
|
||||||
|
const dir = path.join(__dirname, 'migrations');
|
||||||
|
if (!fs.existsSync(dir)) return [];
|
||||||
|
|
||||||
|
return fs
|
||||||
|
.readdirSync(dir)
|
||||||
|
.filter((f) => f.endsWith('.ts') || f.endsWith('.js'))
|
||||||
|
.sort()
|
||||||
|
.map((file) => {
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-var-requires
|
||||||
|
const mod = require(path.join(dir, file)) as Migration;
|
||||||
|
if (!mod.id || !mod.up) {
|
||||||
|
throw new Error(`Migration ${file} must export 'id' and 'up'`);
|
||||||
|
}
|
||||||
|
return mod;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
function getApplied(): Set<string> {
|
||||||
|
const rows = db.prepare('SELECT id FROM _migrations').all() as { id: string }[];
|
||||||
|
return new Set(rows.map((r) => r.id));
|
||||||
|
}
|
||||||
|
|
||||||
|
export function runMigrations() {
|
||||||
|
bootstrap();
|
||||||
|
|
||||||
|
const migrations = loadMigrations();
|
||||||
|
const applied = getApplied();
|
||||||
|
const pending = migrations.filter((m) => !applied.has(m.id));
|
||||||
|
|
||||||
|
if (pending.length === 0) {
|
||||||
|
console.log('[db] All migrations up to date.');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(`[db] Running ${pending.length} pending migration(s)...`);
|
||||||
|
|
||||||
|
for (const migration of pending) {
|
||||||
|
const apply = db.transaction(() => {
|
||||||
|
db.exec(migration.up);
|
||||||
|
db.prepare('INSERT INTO _migrations (id) VALUES (?)').run(migration.id);
|
||||||
|
});
|
||||||
|
|
||||||
|
try {
|
||||||
|
apply();
|
||||||
|
console.log(`[db] ✓ Applied: ${migration.id}`);
|
||||||
|
} catch (err) {
|
||||||
|
console.error(`[db] ✗ Failed: ${migration.id}`, err);
|
||||||
|
throw err; // Abort startup on migration failure
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log('[db] Migrations complete.');
|
||||||
|
}
|
||||||
|
|
||||||
|
export function rollback(targetId: string) {
|
||||||
|
const migrations = loadMigrations();
|
||||||
|
const applied = getApplied();
|
||||||
|
|
||||||
|
// Find all applied migrations after targetId in reverse order
|
||||||
|
const toRollback = migrations
|
||||||
|
.filter((m) => applied.has(m.id) && m.id > targetId)
|
||||||
|
.reverse();
|
||||||
|
|
||||||
|
if (toRollback.length === 0) {
|
||||||
|
console.log('[db] Nothing to roll back.');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const migration of toRollback) {
|
||||||
|
if (!migration.down) {
|
||||||
|
console.warn(`[db] ⚠ No down migration for: ${migration.id} — skipping`);
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
const revert = db.transaction(() => {
|
||||||
|
db.exec(migration.down!);
|
||||||
|
db.prepare('DELETE FROM _migrations WHERE id = ?').run(migration.id);
|
||||||
|
});
|
||||||
|
try {
|
||||||
|
revert();
|
||||||
|
console.log(`[db] ✓ Rolled back: ${migration.id}`);
|
||||||
|
} catch (err) {
|
||||||
|
console.error(`[db] ✗ Rollback failed: ${migration.id}`, err);
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
45
apps/server/src/index.ts
Normal file
45
apps/server/src/index.ts
Normal file
@@ -0,0 +1,45 @@
|
|||||||
|
import express from 'express';
|
||||||
|
import cors from 'cors';
|
||||||
|
import path from 'path';
|
||||||
|
import { runMigrations } from './db/runner';
|
||||||
|
|
||||||
|
import membersRouter from './routes/members';
|
||||||
|
import settingsRouter from './routes/settings';
|
||||||
|
import eventsRouter from './routes/events';
|
||||||
|
import shoppingRouter from './routes/shopping';
|
||||||
|
import choresRouter from './routes/chores';
|
||||||
|
import mealsRouter from './routes/meals';
|
||||||
|
import messagesRouter from './routes/messages';
|
||||||
|
import countdownsRouter from './routes/countdowns';
|
||||||
|
import photosRouter from './routes/photos';
|
||||||
|
|
||||||
|
// Run DB migrations on startup — aborts if any migration fails
|
||||||
|
runMigrations();
|
||||||
|
|
||||||
|
const app = express();
|
||||||
|
const PORT = process.env.PORT ?? 3001;
|
||||||
|
const CLIENT_ORIGIN = process.env.CLIENT_ORIGIN ?? 'http://localhost:5173';
|
||||||
|
|
||||||
|
app.use(cors({ origin: CLIENT_ORIGIN }));
|
||||||
|
app.use(express.json());
|
||||||
|
|
||||||
|
app.use('/api/members', membersRouter);
|
||||||
|
app.use('/api/settings', settingsRouter);
|
||||||
|
app.use('/api/events', eventsRouter);
|
||||||
|
app.use('/api/shopping', shoppingRouter);
|
||||||
|
app.use('/api/chores', choresRouter);
|
||||||
|
app.use('/api/meals', mealsRouter);
|
||||||
|
app.use('/api/messages', messagesRouter);
|
||||||
|
app.use('/api/countdowns', countdownsRouter);
|
||||||
|
app.use('/api/photos', photosRouter);
|
||||||
|
|
||||||
|
// Serve built client — in Docker the client dist is copied here at build time
|
||||||
|
const CLIENT_DIST = path.join(__dirname, '../../client/dist');
|
||||||
|
app.use(express.static(CLIENT_DIST));
|
||||||
|
app.get('*', (_req, res) => {
|
||||||
|
res.sendFile(path.join(CLIENT_DIST, 'index.html'));
|
||||||
|
});
|
||||||
|
|
||||||
|
app.listen(PORT, () => {
|
||||||
|
console.log(`Family Planner running on http://0.0.0.0:${PORT}`);
|
||||||
|
});
|
||||||
71
apps/server/src/routes/chores.ts
Normal file
71
apps/server/src/routes/chores.ts
Normal file
@@ -0,0 +1,71 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
router.get('/', (req, res) => {
|
||||||
|
const { member_id } = req.query;
|
||||||
|
let query = `
|
||||||
|
SELECT c.*, m.name as member_name, m.color as member_color,
|
||||||
|
(SELECT COUNT(*) FROM chore_completions cc WHERE cc.chore_id = c.id) as completion_count
|
||||||
|
FROM chores c
|
||||||
|
LEFT JOIN members m ON c.member_id = m.id
|
||||||
|
`;
|
||||||
|
if (member_id) {
|
||||||
|
query += ' WHERE c.member_id = ?';
|
||||||
|
return res.json(db.prepare(query + ' ORDER BY c.due_date ASC').all(member_id as string));
|
||||||
|
}
|
||||||
|
res.json(db.prepare(query + ' ORDER BY c.due_date ASC').all());
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/', (req, res) => {
|
||||||
|
const { title, description, member_id, recurrence, due_date } = req.body;
|
||||||
|
if (!title?.trim()) return res.status(400).json({ error: 'Title is required' });
|
||||||
|
const result = db
|
||||||
|
.prepare('INSERT INTO chores (title, description, member_id, recurrence, due_date) VALUES (?, ?, ?, ?, ?)')
|
||||||
|
.run(title.trim(), description ?? null, member_id ?? null, recurrence ?? 'none', due_date ?? null);
|
||||||
|
res.status(201).json(db.prepare('SELECT * FROM chores WHERE id = ?').get(result.lastInsertRowid));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.put('/:id', (req, res) => {
|
||||||
|
const existing = db.prepare('SELECT * FROM chores WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!existing) return res.status(404).json({ error: 'Chore not found' });
|
||||||
|
const { title, description, member_id, recurrence, status, due_date } = req.body;
|
||||||
|
db.prepare('UPDATE chores SET title=?, description=?, member_id=?, recurrence=?, status=?, due_date=? WHERE id=?').run(
|
||||||
|
title?.trim() ?? existing.title,
|
||||||
|
description !== undefined ? description : existing.description,
|
||||||
|
member_id !== undefined ? member_id : existing.member_id,
|
||||||
|
recurrence ?? existing.recurrence,
|
||||||
|
status ?? existing.status,
|
||||||
|
due_date !== undefined ? due_date : existing.due_date,
|
||||||
|
req.params.id
|
||||||
|
);
|
||||||
|
res.json(db.prepare('SELECT * FROM chores WHERE id = ?').get(req.params.id));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM chores WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'Chore not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/:id/complete', (req, res) => {
|
||||||
|
const { member_id } = req.body;
|
||||||
|
const chore = db.prepare('SELECT * FROM chores WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!chore) return res.status(404).json({ error: 'Chore not found' });
|
||||||
|
db.prepare('INSERT INTO chore_completions (chore_id, member_id) VALUES (?, ?)').run(req.params.id, member_id ?? chore.member_id);
|
||||||
|
db.prepare("UPDATE chores SET status = 'done' WHERE id = ?").run(req.params.id);
|
||||||
|
res.json({ success: true });
|
||||||
|
});
|
||||||
|
|
||||||
|
router.get('/:id/completions', (req, res) => {
|
||||||
|
res.json(
|
||||||
|
db.prepare(`
|
||||||
|
SELECT cc.*, m.name as member_name FROM chore_completions cc
|
||||||
|
LEFT JOIN members m ON cc.member_id = m.id
|
||||||
|
WHERE cc.chore_id = ? ORDER BY cc.completed_at DESC
|
||||||
|
`).all(req.params.id)
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
48
apps/server/src/routes/countdowns.ts
Normal file
48
apps/server/src/routes/countdowns.ts
Normal file
@@ -0,0 +1,48 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
router.get('/', (_req, res) => {
|
||||||
|
res.json(
|
||||||
|
db.prepare(`
|
||||||
|
SELECT c.*, e.title as event_title
|
||||||
|
FROM countdowns c
|
||||||
|
LEFT JOIN events e ON c.event_id = e.id
|
||||||
|
WHERE c.target_date >= date('now')
|
||||||
|
ORDER BY c.target_date ASC
|
||||||
|
`).all()
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/', (req, res) => {
|
||||||
|
const { title, target_date, emoji, color, show_on_dashboard, event_id } = req.body;
|
||||||
|
if (!title?.trim() || !target_date) return res.status(400).json({ error: 'title and target_date are required' });
|
||||||
|
const result = db
|
||||||
|
.prepare('INSERT INTO countdowns (title, target_date, emoji, color, show_on_dashboard, event_id) VALUES (?, ?, ?, ?, ?, ?)')
|
||||||
|
.run(title.trim(), target_date, emoji ?? null, color ?? '#6366f1', show_on_dashboard !== false ? 1 : 0, event_id ?? null);
|
||||||
|
res.status(201).json(db.prepare('SELECT * FROM countdowns WHERE id = ?').get(result.lastInsertRowid));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.put('/:id', (req, res) => {
|
||||||
|
const existing = db.prepare('SELECT * FROM countdowns WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!existing) return res.status(404).json({ error: 'Countdown not found' });
|
||||||
|
const { title, target_date, emoji, color, show_on_dashboard } = req.body;
|
||||||
|
db.prepare('UPDATE countdowns SET title=?, target_date=?, emoji=?, color=?, show_on_dashboard=? WHERE id=?').run(
|
||||||
|
title?.trim() ?? existing.title,
|
||||||
|
target_date ?? existing.target_date,
|
||||||
|
emoji !== undefined ? emoji : existing.emoji,
|
||||||
|
color ?? existing.color,
|
||||||
|
show_on_dashboard !== undefined ? (show_on_dashboard ? 1 : 0) : existing.show_on_dashboard,
|
||||||
|
req.params.id
|
||||||
|
);
|
||||||
|
res.json(db.prepare('SELECT * FROM countdowns WHERE id = ?').get(req.params.id));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM countdowns WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'Countdown not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
60
apps/server/src/routes/events.ts
Normal file
60
apps/server/src/routes/events.ts
Normal file
@@ -0,0 +1,60 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
router.get('/', (req, res) => {
|
||||||
|
const { start, end } = req.query as { start?: string; end?: string };
|
||||||
|
let query = 'SELECT * FROM events';
|
||||||
|
const params: string[] = [];
|
||||||
|
if (start && end) {
|
||||||
|
query += ' WHERE start_at >= ? AND start_at <= ?';
|
||||||
|
params.push(start, end);
|
||||||
|
}
|
||||||
|
query += ' ORDER BY start_at ASC';
|
||||||
|
res.json(db.prepare(query).all(...params));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.get('/:id', (req, res) => {
|
||||||
|
const row = db.prepare('SELECT * FROM events WHERE id = ?').get(req.params.id);
|
||||||
|
if (!row) return res.status(404).json({ error: 'Event not found' });
|
||||||
|
res.json(row);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/', (req, res) => {
|
||||||
|
const { title, description, start_at, end_at, all_day, recurrence, member_id, color } = req.body;
|
||||||
|
if (!title?.trim() || !start_at || !end_at)
|
||||||
|
return res.status(400).json({ error: 'title, start_at, and end_at are required' });
|
||||||
|
const result = db
|
||||||
|
.prepare(`INSERT INTO events (title, description, start_at, end_at, all_day, recurrence, member_id, color)
|
||||||
|
VALUES (?, ?, ?, ?, ?, ?, ?, ?)`)
|
||||||
|
.run(title.trim(), description ?? null, start_at, end_at, all_day ? 1 : 0, recurrence ?? null, member_id ?? null, color ?? null);
|
||||||
|
res.status(201).json(db.prepare('SELECT * FROM events WHERE id = ?').get(result.lastInsertRowid));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.put('/:id', (req, res) => {
|
||||||
|
const existing = db.prepare('SELECT * FROM events WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!existing) return res.status(404).json({ error: 'Event not found' });
|
||||||
|
const { title, description, start_at, end_at, all_day, recurrence, member_id, color } = req.body;
|
||||||
|
db.prepare(`UPDATE events SET title=?, description=?, start_at=?, end_at=?, all_day=?, recurrence=?, member_id=?, color=? WHERE id=?`)
|
||||||
|
.run(
|
||||||
|
title?.trim() ?? existing.title,
|
||||||
|
description !== undefined ? description : existing.description,
|
||||||
|
start_at ?? existing.start_at,
|
||||||
|
end_at ?? existing.end_at,
|
||||||
|
all_day !== undefined ? (all_day ? 1 : 0) : existing.all_day,
|
||||||
|
recurrence !== undefined ? recurrence : existing.recurrence,
|
||||||
|
member_id !== undefined ? member_id : existing.member_id,
|
||||||
|
color !== undefined ? color : existing.color,
|
||||||
|
req.params.id
|
||||||
|
);
|
||||||
|
res.json(db.prepare('SELECT * FROM events WHERE id = ?').get(req.params.id));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM events WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'Event not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
37
apps/server/src/routes/meals.ts
Normal file
37
apps/server/src/routes/meals.ts
Normal file
@@ -0,0 +1,37 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
// Get meals for a date range (e.g. ?start=2024-01-01&end=2024-01-31)
|
||||||
|
router.get('/', (req, res) => {
|
||||||
|
const { start, end } = req.query as { start?: string; end?: string };
|
||||||
|
if (start && end) {
|
||||||
|
return res.json(db.prepare('SELECT * FROM meals WHERE date >= ? AND date <= ? ORDER BY date ASC').all(start, end));
|
||||||
|
}
|
||||||
|
res.json(db.prepare('SELECT * FROM meals ORDER BY date ASC').all());
|
||||||
|
});
|
||||||
|
|
||||||
|
router.get('/:date', (req, res) => {
|
||||||
|
const row = db.prepare('SELECT * FROM meals WHERE date = ?').get(req.params.date);
|
||||||
|
if (!row) return res.status(404).json({ error: 'No meal for this date' });
|
||||||
|
res.json(row);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.put('/:date', (req, res) => {
|
||||||
|
const { title, description, recipe_url } = req.body as { title: string; description?: string; recipe_url?: string };
|
||||||
|
if (!title?.trim()) return res.status(400).json({ error: 'Title is required' });
|
||||||
|
db.prepare(`
|
||||||
|
INSERT INTO meals (date, title, description, recipe_url) VALUES (?, ?, ?, ?)
|
||||||
|
ON CONFLICT(date) DO UPDATE SET title=excluded.title, description=excluded.description, recipe_url=excluded.recipe_url
|
||||||
|
`).run(req.params.date, title.trim(), description ?? null, recipe_url ?? null);
|
||||||
|
res.json(db.prepare('SELECT * FROM meals WHERE date = ?').get(req.params.date));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/:date', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM meals WHERE date = ?').run(req.params.date);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'No meal for this date' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
47
apps/server/src/routes/members.ts
Normal file
47
apps/server/src/routes/members.ts
Normal file
@@ -0,0 +1,47 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
router.get('/', (_req, res) => {
|
||||||
|
const rows = db.prepare('SELECT * FROM members ORDER BY name ASC').all();
|
||||||
|
res.json(rows);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.get('/:id', (req, res) => {
|
||||||
|
const row = db.prepare('SELECT * FROM members WHERE id = ?').get(req.params.id);
|
||||||
|
if (!row) return res.status(404).json({ error: 'Member not found' });
|
||||||
|
res.json(row);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/', (req, res) => {
|
||||||
|
const { name, color, avatar } = req.body as { name: string; color?: string; avatar?: string };
|
||||||
|
if (!name?.trim()) return res.status(400).json({ error: 'Name is required' });
|
||||||
|
const result = db
|
||||||
|
.prepare('INSERT INTO members (name, color, avatar) VALUES (?, ?, ?)')
|
||||||
|
.run(name.trim(), color ?? '#6366f1', avatar ?? null);
|
||||||
|
const created = db.prepare('SELECT * FROM members WHERE id = ?').get(result.lastInsertRowid);
|
||||||
|
res.status(201).json(created);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.put('/:id', (req, res) => {
|
||||||
|
const { name, color, avatar } = req.body as { name?: string; color?: string; avatar?: string };
|
||||||
|
const existing = db.prepare('SELECT * FROM members WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!existing) return res.status(404).json({ error: 'Member not found' });
|
||||||
|
db.prepare('UPDATE members SET name = ?, color = ?, avatar = ? WHERE id = ?').run(
|
||||||
|
name?.trim() ?? existing.name,
|
||||||
|
color ?? existing.color,
|
||||||
|
avatar !== undefined ? avatar : existing.avatar,
|
||||||
|
req.params.id
|
||||||
|
);
|
||||||
|
const updated = db.prepare('SELECT * FROM members WHERE id = ?').get(req.params.id);
|
||||||
|
res.json(updated);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM members WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'Member not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
48
apps/server/src/routes/messages.ts
Normal file
48
apps/server/src/routes/messages.ts
Normal file
@@ -0,0 +1,48 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
router.get('/', (_req, res) => {
|
||||||
|
res.json(
|
||||||
|
db.prepare(`
|
||||||
|
SELECT msg.*, m.name as member_name, m.color as member_color
|
||||||
|
FROM messages msg
|
||||||
|
LEFT JOIN members m ON msg.member_id = m.id
|
||||||
|
WHERE msg.expires_at IS NULL OR msg.expires_at > datetime('now')
|
||||||
|
ORDER BY msg.pinned DESC, msg.created_at DESC
|
||||||
|
`).all()
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/', (req, res) => {
|
||||||
|
const { member_id, body, color, emoji, pinned, expires_at } = req.body;
|
||||||
|
if (!body?.trim()) return res.status(400).json({ error: 'Body is required' });
|
||||||
|
const result = db
|
||||||
|
.prepare('INSERT INTO messages (member_id, body, color, emoji, pinned, expires_at) VALUES (?, ?, ?, ?, ?, ?)')
|
||||||
|
.run(member_id ?? null, body.trim(), color ?? '#fef08a', emoji ?? null, pinned ? 1 : 0, expires_at ?? null);
|
||||||
|
res.status(201).json(db.prepare('SELECT * FROM messages WHERE id = ?').get(result.lastInsertRowid));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.patch('/:id', (req, res) => {
|
||||||
|
const existing = db.prepare('SELECT * FROM messages WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!existing) return res.status(404).json({ error: 'Message not found' });
|
||||||
|
const { body, color, emoji, pinned, expires_at } = req.body;
|
||||||
|
db.prepare('UPDATE messages SET body=?, color=?, emoji=?, pinned=?, expires_at=? WHERE id=?').run(
|
||||||
|
body?.trim() ?? existing.body,
|
||||||
|
color ?? existing.color,
|
||||||
|
emoji !== undefined ? emoji : existing.emoji,
|
||||||
|
pinned !== undefined ? (pinned ? 1 : 0) : existing.pinned,
|
||||||
|
expires_at !== undefined ? expires_at : existing.expires_at,
|
||||||
|
req.params.id
|
||||||
|
);
|
||||||
|
res.json(db.prepare('SELECT * FROM messages WHERE id = ?').get(req.params.id));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM messages WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'Message not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
61
apps/server/src/routes/photos.ts
Normal file
61
apps/server/src/routes/photos.ts
Normal file
@@ -0,0 +1,61 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
import fs from 'fs';
|
||||||
|
import path from 'path';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
const IMAGE_EXTS = new Set(['.jpg', '.jpeg', '.png', '.gif', '.webp', '.avif', '.bmp']);
|
||||||
|
|
||||||
|
function scanDir(dir: string): string[] {
|
||||||
|
if (!dir || !fs.existsSync(dir)) return [];
|
||||||
|
const results: string[] = [];
|
||||||
|
function recurse(current: string) {
|
||||||
|
let entries: fs.Dirent[];
|
||||||
|
try { entries = fs.readdirSync(current, { withFileTypes: true }); } catch { return; }
|
||||||
|
for (const entry of entries) {
|
||||||
|
const full = path.join(current, entry.name);
|
||||||
|
if (entry.isDirectory()) recurse(full);
|
||||||
|
else if (IMAGE_EXTS.has(path.extname(entry.name).toLowerCase())) results.push(full);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
recurse(dir);
|
||||||
|
return results;
|
||||||
|
}
|
||||||
|
|
||||||
|
// PHOTOS_DIR env var (set in Docker) overrides the DB setting.
|
||||||
|
// This lets Unraid users bind-mount their photo library to /photos
|
||||||
|
// without having to change the settings in the UI.
|
||||||
|
function resolvePhotoFolder(): string {
|
||||||
|
if (process.env.PHOTOS_DIR) return process.env.PHOTOS_DIR;
|
||||||
|
const row = db.prepare("SELECT value FROM settings WHERE key = 'photo_folder'").get() as any;
|
||||||
|
return row?.value ?? '';
|
||||||
|
}
|
||||||
|
|
||||||
|
router.get('/', (_req, res) => {
|
||||||
|
const folder = resolvePhotoFolder();
|
||||||
|
const files = scanDir(folder);
|
||||||
|
res.json({ folder, count: files.length, files: files.map((f) => path.basename(f)) });
|
||||||
|
});
|
||||||
|
|
||||||
|
router.get('/file/:filename', (req, res) => {
|
||||||
|
const folder = resolvePhotoFolder();
|
||||||
|
if (!folder) return res.status(404).json({ error: 'Photo folder not configured' });
|
||||||
|
|
||||||
|
// Security: prevent path traversal
|
||||||
|
const filename = path.basename(req.params.filename);
|
||||||
|
const filepath = path.join(folder, filename);
|
||||||
|
if (!filepath.startsWith(folder)) return res.status(403).json({ error: 'Forbidden' });
|
||||||
|
if (!fs.existsSync(filepath)) return res.status(404).json({ error: 'File not found' });
|
||||||
|
res.sendFile(filepath);
|
||||||
|
});
|
||||||
|
|
||||||
|
// Return all photos as a flat list with their relative paths for the slideshow
|
||||||
|
router.get('/slideshow', (_req, res) => {
|
||||||
|
const folder = resolvePhotoFolder();
|
||||||
|
const files = scanDir(folder);
|
||||||
|
const urls = files.map((f) => `/api/photos/file/${encodeURIComponent(path.relative(folder, f).replace(/\\/g, '/'))}`);
|
||||||
|
res.json({ count: urls.length, urls });
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
23
apps/server/src/routes/settings.ts
Normal file
23
apps/server/src/routes/settings.ts
Normal file
@@ -0,0 +1,23 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
router.get('/', (_req, res) => {
|
||||||
|
const rows = db.prepare('SELECT key, value FROM settings').all() as { key: string; value: string }[];
|
||||||
|
const settings = Object.fromEntries(rows.map((r) => [r.key, r.value]));
|
||||||
|
res.json(settings);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.patch('/', (req, res) => {
|
||||||
|
const updates = req.body as Record<string, string>;
|
||||||
|
const upsert = db.prepare('INSERT INTO settings (key, value) VALUES (?, ?) ON CONFLICT(key) DO UPDATE SET value = excluded.value');
|
||||||
|
const updateMany = db.transaction((pairs: [string, string][]) => {
|
||||||
|
for (const [k, v] of pairs) upsert.run(k, String(v));
|
||||||
|
});
|
||||||
|
updateMany(Object.entries(updates));
|
||||||
|
const rows = db.prepare('SELECT key, value FROM settings').all() as { key: string; value: string }[];
|
||||||
|
res.json(Object.fromEntries(rows.map((r) => [r.key, r.value])));
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
67
apps/server/src/routes/shopping.ts
Normal file
67
apps/server/src/routes/shopping.ts
Normal file
@@ -0,0 +1,67 @@
|
|||||||
|
import { Router } from 'express';
|
||||||
|
import db from '../db/db';
|
||||||
|
|
||||||
|
const router = Router();
|
||||||
|
|
||||||
|
// ── Lists ──────────────────────────────────────────────────────────────────
|
||||||
|
router.get('/lists', (_req, res) => {
|
||||||
|
res.json(db.prepare('SELECT * FROM shopping_lists ORDER BY name ASC').all());
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/lists', (req, res) => {
|
||||||
|
const { name } = req.body as { name: string };
|
||||||
|
if (!name?.trim()) return res.status(400).json({ error: 'Name is required' });
|
||||||
|
const result = db.prepare('INSERT INTO shopping_lists (name) VALUES (?)').run(name.trim());
|
||||||
|
res.status(201).json(db.prepare('SELECT * FROM shopping_lists WHERE id = ?').get(result.lastInsertRowid));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/lists/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM shopping_lists WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'List not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
// ── Items ──────────────────────────────────────────────────────────────────
|
||||||
|
router.get('/lists/:listId/items', (req, res) => {
|
||||||
|
res.json(
|
||||||
|
db.prepare('SELECT * FROM shopping_items WHERE list_id = ? ORDER BY sort_order ASC, id ASC').all(req.params.listId)
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
|
router.post('/lists/:listId/items', (req, res) => {
|
||||||
|
const { name, quantity, member_id } = req.body as { name: string; quantity?: string; member_id?: number };
|
||||||
|
if (!name?.trim()) return res.status(400).json({ error: 'Name is required' });
|
||||||
|
const maxOrder = (db.prepare('SELECT MAX(sort_order) as m FROM shopping_items WHERE list_id = ?').get(req.params.listId) as any)?.m ?? 0;
|
||||||
|
const result = db
|
||||||
|
.prepare('INSERT INTO shopping_items (list_id, name, quantity, member_id, sort_order) VALUES (?, ?, ?, ?, ?)')
|
||||||
|
.run(req.params.listId, name.trim(), quantity ?? null, member_id ?? null, maxOrder + 1);
|
||||||
|
res.status(201).json(db.prepare('SELECT * FROM shopping_items WHERE id = ?').get(result.lastInsertRowid));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.patch('/items/:id', (req, res) => {
|
||||||
|
const existing = db.prepare('SELECT * FROM shopping_items WHERE id = ?').get(req.params.id) as any;
|
||||||
|
if (!existing) return res.status(404).json({ error: 'Item not found' });
|
||||||
|
const { name, quantity, checked, member_id, sort_order } = req.body;
|
||||||
|
db.prepare('UPDATE shopping_items SET name=?, quantity=?, checked=?, member_id=?, sort_order=? WHERE id=?').run(
|
||||||
|
name?.trim() ?? existing.name,
|
||||||
|
quantity !== undefined ? quantity : existing.quantity,
|
||||||
|
checked !== undefined ? (checked ? 1 : 0) : existing.checked,
|
||||||
|
member_id !== undefined ? member_id : existing.member_id,
|
||||||
|
sort_order !== undefined ? sort_order : existing.sort_order,
|
||||||
|
req.params.id
|
||||||
|
);
|
||||||
|
res.json(db.prepare('SELECT * FROM shopping_items WHERE id = ?').get(req.params.id));
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/items/:id', (req, res) => {
|
||||||
|
const result = db.prepare('DELETE FROM shopping_items WHERE id = ?').run(req.params.id);
|
||||||
|
if (result.changes === 0) return res.status(404).json({ error: 'Item not found' });
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
router.delete('/lists/:listId/items/checked', (req, res) => {
|
||||||
|
db.prepare('DELETE FROM shopping_items WHERE list_id = ? AND checked = 1').run(req.params.listId);
|
||||||
|
res.status(204).end();
|
||||||
|
});
|
||||||
|
|
||||||
|
export default router;
|
||||||
13
apps/server/tsconfig.json
Normal file
13
apps/server/tsconfig.json
Normal file
@@ -0,0 +1,13 @@
|
|||||||
|
{
|
||||||
|
"extends": "../../tsconfig.base.json",
|
||||||
|
"compilerOptions": {
|
||||||
|
"target": "ES2022",
|
||||||
|
"lib": ["ES2022"],
|
||||||
|
"module": "CommonJS",
|
||||||
|
"moduleResolution": "node",
|
||||||
|
"outDir": "dist",
|
||||||
|
"rootDir": "src",
|
||||||
|
"types": ["node"]
|
||||||
|
},
|
||||||
|
"include": ["src"]
|
||||||
|
}
|
||||||
38
docker-compose.yml
Normal file
38
docker-compose.yml
Normal file
@@ -0,0 +1,38 @@
|
|||||||
|
services:
|
||||||
|
family-planner:
|
||||||
|
build:
|
||||||
|
context: .
|
||||||
|
dockerfile: Dockerfile
|
||||||
|
container_name: family-planner
|
||||||
|
restart: unless-stopped
|
||||||
|
|
||||||
|
ports:
|
||||||
|
- "${PORT:-3001}:3001"
|
||||||
|
|
||||||
|
environment:
|
||||||
|
# App
|
||||||
|
PORT: 3001
|
||||||
|
TZ: ${TZ:-America/New_York}
|
||||||
|
|
||||||
|
# File paths inside the container
|
||||||
|
DATA_DIR: /data
|
||||||
|
PHOTOS_DIR: /photos
|
||||||
|
|
||||||
|
# Drop privileges to this UID/GID (Unraid: nobody=99, users=100)
|
||||||
|
PUID: ${PUID:-99}
|
||||||
|
PGID: ${PGID:-100}
|
||||||
|
|
||||||
|
volumes:
|
||||||
|
# Persistent database storage — map to wherever you keep appdata
|
||||||
|
- ${DATA_PATH:-./data}:/data
|
||||||
|
|
||||||
|
# Your photo library — mount read-only
|
||||||
|
# Change the left side to your actual photos folder path
|
||||||
|
- ${PHOTOS_PATH:-./photos}:/photos:ro
|
||||||
|
|
||||||
|
healthcheck:
|
||||||
|
test: ["CMD", "wget", "-qO-", "http://localhost:3001/api/settings"]
|
||||||
|
interval: 30s
|
||||||
|
timeout: 10s
|
||||||
|
retries: 3
|
||||||
|
start_period: 10s
|
||||||
23
docker-entrypoint.sh
Normal file
23
docker-entrypoint.sh
Normal file
@@ -0,0 +1,23 @@
|
|||||||
|
#!/bin/sh
|
||||||
|
set -e
|
||||||
|
|
||||||
|
# Resolve PUID/PGID (Unraid default: nobody=99, users=100)
|
||||||
|
PUID=${PUID:-99}
|
||||||
|
PGID=${PGID:-100}
|
||||||
|
|
||||||
|
echo "[entrypoint] Starting Family Planner (PUID=${PUID}, PGID=${PGID})"
|
||||||
|
|
||||||
|
# Create the app user/group if they don't already exist at the requested IDs
|
||||||
|
if ! getent group appgroup > /dev/null 2>&1; then
|
||||||
|
addgroup -g "${PGID}" appgroup
|
||||||
|
fi
|
||||||
|
if ! getent passwd appuser > /dev/null 2>&1; then
|
||||||
|
adduser -D -u "${PUID}" -G appgroup appuser
|
||||||
|
fi
|
||||||
|
|
||||||
|
# Ensure /data is owned by the app user so SQLite can write
|
||||||
|
mkdir -p /data
|
||||||
|
chown -R "${PUID}:${PGID}" /data
|
||||||
|
|
||||||
|
# Drop privileges and exec the CMD
|
||||||
|
exec su-exec "${PUID}:${PGID}" "$@"
|
||||||
16
package.json
Normal file
16
package.json
Normal file
@@ -0,0 +1,16 @@
|
|||||||
|
{
|
||||||
|
"name": "family-planner",
|
||||||
|
"private": true,
|
||||||
|
"version": "1.0.0",
|
||||||
|
"scripts": {
|
||||||
|
"dev": "concurrently \"pnpm --filter server dev\" \"pnpm --filter client dev\"",
|
||||||
|
"build": "pnpm --filter server build && pnpm --filter client build",
|
||||||
|
"start": "pnpm --filter server start"
|
||||||
|
},
|
||||||
|
"devDependencies": {
|
||||||
|
"concurrently": "^8.2.2"
|
||||||
|
},
|
||||||
|
"pnpm": {
|
||||||
|
"onlyBuiltDependencies": ["esbuild"]
|
||||||
|
}
|
||||||
|
}
|
||||||
3174
pnpm-lock.yaml
generated
Normal file
3174
pnpm-lock.yaml
generated
Normal file
File diff suppressed because it is too large
Load Diff
2
pnpm-workspace.yaml
Normal file
2
pnpm-workspace.yaml
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
packages:
|
||||||
|
- 'apps/*'
|
||||||
12
tsconfig.base.json
Normal file
12
tsconfig.base.json
Normal file
@@ -0,0 +1,12 @@
|
|||||||
|
{
|
||||||
|
"compilerOptions": {
|
||||||
|
"target": "ES2022",
|
||||||
|
"module": "ESNext",
|
||||||
|
"moduleResolution": "bundler",
|
||||||
|
"strict": true,
|
||||||
|
"skipLibCheck": true,
|
||||||
|
"forceConsistentCasingInFileNames": true,
|
||||||
|
"resolveJsonModule": true,
|
||||||
|
"esModuleInterop": true
|
||||||
|
}
|
||||||
|
}
|
||||||
113
unraid/family-planner.xml
Normal file
113
unraid/family-planner.xml
Normal file
@@ -0,0 +1,113 @@
|
|||||||
|
<?xml version="1.0"?>
|
||||||
|
<Container version="2">
|
||||||
|
<!--
|
||||||
|
Unraid Community Applications Template
|
||||||
|
Family Planner — self-hosted family dashboard
|
||||||
|
|
||||||
|
To use: place this file in /boot/config/plugins/dockerMan/templates-user/
|
||||||
|
Then open the Docker tab → Add Container and select "Family Planner".
|
||||||
|
-->
|
||||||
|
|
||||||
|
<Name>family-planner</Name>
|
||||||
|
<Repository>ghcr.io/your-username/family-planner:latest</Repository>
|
||||||
|
<Registry>https://ghcr.io/your-username/family-planner</Registry>
|
||||||
|
<Network>bridge</Network>
|
||||||
|
<Shell>sh</Shell>
|
||||||
|
<Privileged>false</Privileged>
|
||||||
|
|
||||||
|
<Overview>
|
||||||
|
A sleek, modern family dashboard with a shared calendar, chore assignments,
|
||||||
|
shopping lists, dinner meal planner, message board, countdown timers,
|
||||||
|
and a full-screen photo slideshow screensaver.
|
||||||
|
Includes dark/light mode with accent color selection.
|
||||||
|
</Overview>
|
||||||
|
|
||||||
|
<Category>Productivity: Tools:</Category>
|
||||||
|
<WebUI>http://[IP]:[PORT:3001]/</WebUI>
|
||||||
|
|
||||||
|
<!-- Update this once you have a real icon hosted somewhere -->
|
||||||
|
<Icon>https://raw.githubusercontent.com/your-username/family-planner/main/unraid/icon.png</Icon>
|
||||||
|
|
||||||
|
<ExtraParams>--restart=unless-stopped</ExtraParams>
|
||||||
|
|
||||||
|
<!-- ── Ports ──────────────────────────────────────────────────────── -->
|
||||||
|
<Config
|
||||||
|
Name="Web UI Port"
|
||||||
|
Target="3001"
|
||||||
|
Default="3001"
|
||||||
|
Mode="tcp"
|
||||||
|
Description="Port the Family Planner web interface is served on."
|
||||||
|
Type="Port"
|
||||||
|
Display="always"
|
||||||
|
Required="true"
|
||||||
|
Mask="false">3001</Config>
|
||||||
|
|
||||||
|
<!-- ── Volumes ────────────────────────────────────────────────────── -->
|
||||||
|
<Config
|
||||||
|
Name="App Data"
|
||||||
|
Target="/data"
|
||||||
|
Default="/mnt/user/appdata/family-planner"
|
||||||
|
Mode="rw"
|
||||||
|
Description="Persistent storage for the SQLite database and app configuration. Must be writable."
|
||||||
|
Type="Path"
|
||||||
|
Display="always"
|
||||||
|
Required="true"
|
||||||
|
Mask="false">/mnt/user/appdata/family-planner</Config>
|
||||||
|
|
||||||
|
<Config
|
||||||
|
Name="Photos Path"
|
||||||
|
Target="/photos"
|
||||||
|
Default="/mnt/user/Photos"
|
||||||
|
Mode="ro"
|
||||||
|
Description="Path to your photo library. Subfolders are scanned automatically. Mounted read-only."
|
||||||
|
Type="Path"
|
||||||
|
Display="always"
|
||||||
|
Required="false"
|
||||||
|
Mask="false">/mnt/user/Photos</Config>
|
||||||
|
|
||||||
|
<!-- ── Environment variables ──────────────────────────────────────── -->
|
||||||
|
<Config
|
||||||
|
Name="PUID"
|
||||||
|
Target="PUID"
|
||||||
|
Default="99"
|
||||||
|
Mode=""
|
||||||
|
Description="User ID the container process runs as. Use 'id username' in the Unraid terminal to find your UID. Unraid default nobody=99."
|
||||||
|
Type="Variable"
|
||||||
|
Display="advanced"
|
||||||
|
Required="false"
|
||||||
|
Mask="false">99</Config>
|
||||||
|
|
||||||
|
<Config
|
||||||
|
Name="PGID"
|
||||||
|
Target="PGID"
|
||||||
|
Default="100"
|
||||||
|
Mode=""
|
||||||
|
Description="Group ID the container process runs as. Unraid default users=100."
|
||||||
|
Type="Variable"
|
||||||
|
Display="advanced"
|
||||||
|
Required="false"
|
||||||
|
Mask="false">100</Config>
|
||||||
|
|
||||||
|
<Config
|
||||||
|
Name="TZ"
|
||||||
|
Target="TZ"
|
||||||
|
Default="America/New_York"
|
||||||
|
Mode=""
|
||||||
|
Description="Your timezone. Used for correct date and time display. See https://en.wikipedia.org/wiki/List_of_tz_database_time_zones"
|
||||||
|
Type="Variable"
|
||||||
|
Display="advanced"
|
||||||
|
Required="false"
|
||||||
|
Mask="false">America/New_York</Config>
|
||||||
|
|
||||||
|
<Config
|
||||||
|
Name="PORT"
|
||||||
|
Target="PORT"
|
||||||
|
Default="3001"
|
||||||
|
Mode=""
|
||||||
|
Description="Internal application port. Only change this if you have a port conflict and know what you are doing."
|
||||||
|
Type="Variable"
|
||||||
|
Display="advanced"
|
||||||
|
Required="false"
|
||||||
|
Mask="false">3001</Config>
|
||||||
|
|
||||||
|
</Container>
|
||||||
97
unraid/install.sh
Normal file
97
unraid/install.sh
Normal file
@@ -0,0 +1,97 @@
|
|||||||
|
#!/bin/bash
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
# Family Planner — Unraid CLI Install Script
|
||||||
|
#
|
||||||
|
# Run from the Unraid terminal:
|
||||||
|
# bash /path/to/install.sh
|
||||||
|
#
|
||||||
|
# Or pipe directly (once the image is published):
|
||||||
|
# curl -fsSL https://raw.githubusercontent.com/your-username/family-planner/main/unraid/install.sh | bash
|
||||||
|
# ─────────────────────────────────────────────────────────────────────────────
|
||||||
|
set -euo pipefail
|
||||||
|
|
||||||
|
# ── Configurable defaults (edit these or they will be prompted) ───────────────
|
||||||
|
IMAGE="${IMAGE:-ghcr.io/your-username/family-planner:latest}"
|
||||||
|
CONTAINER_NAME="${CONTAINER_NAME:-family-planner}"
|
||||||
|
HOST_PORT="${HOST_PORT:-3001}"
|
||||||
|
DATA_PATH="${DATA_PATH:-/mnt/user/appdata/family-planner}"
|
||||||
|
PHOTOS_PATH="${PHOTOS_PATH:-/mnt/user/Photos}"
|
||||||
|
PUID="${PUID:-99}"
|
||||||
|
PGID="${PGID:-100}"
|
||||||
|
TZ="${TZ:-America/New_York}"
|
||||||
|
|
||||||
|
# ── Helper ────────────────────────────────────────────────────────────────────
|
||||||
|
info() { echo -e "\033[1;34m[INFO]\033[0m $*"; }
|
||||||
|
success() { echo -e "\033[1;32m[OK]\033[0m $*"; }
|
||||||
|
warn() { echo -e "\033[1;33m[WARN]\033[0m $*"; }
|
||||||
|
error() { echo -e "\033[1;31m[ERROR]\033[0m $*" >&2; exit 1; }
|
||||||
|
|
||||||
|
# ── Preflight ─────────────────────────────────────────────────────────────────
|
||||||
|
command -v docker &>/dev/null || error "Docker is not installed or not in PATH."
|
||||||
|
|
||||||
|
info "Family Planner — Unraid Installer"
|
||||||
|
echo ""
|
||||||
|
echo " Container : $CONTAINER_NAME"
|
||||||
|
echo " Image : $IMAGE"
|
||||||
|
echo " Port : $HOST_PORT → 3001"
|
||||||
|
echo " Data path : $DATA_PATH"
|
||||||
|
echo " Photos : $PHOTOS_PATH (read-only)"
|
||||||
|
echo " PUID/PGID : $PUID/$PGID"
|
||||||
|
echo " TZ : $TZ"
|
||||||
|
echo ""
|
||||||
|
read -rp "Proceed with these settings? [Y/n] " confirm
|
||||||
|
confirm="${confirm:-Y}"
|
||||||
|
[[ "$confirm" =~ ^[Yy]$ ]] || { info "Aborted."; exit 0; }
|
||||||
|
|
||||||
|
# ── Stop and remove existing container if present ─────────────────────────────
|
||||||
|
if docker inspect "$CONTAINER_NAME" &>/dev/null; then
|
||||||
|
warn "Container '$CONTAINER_NAME' already exists — stopping and removing it."
|
||||||
|
docker stop "$CONTAINER_NAME" &>/dev/null || true
|
||||||
|
docker rm "$CONTAINER_NAME" &>/dev/null || true
|
||||||
|
fi
|
||||||
|
|
||||||
|
# ── Ensure data directory exists ──────────────────────────────────────────────
|
||||||
|
mkdir -p "$DATA_PATH"
|
||||||
|
success "Data directory ready: $DATA_PATH"
|
||||||
|
|
||||||
|
# ── Pull the latest image ─────────────────────────────────────────────────────
|
||||||
|
info "Pulling image: $IMAGE"
|
||||||
|
docker pull "$IMAGE"
|
||||||
|
|
||||||
|
# ── Run the container ─────────────────────────────────────────────────────────
|
||||||
|
info "Starting container..."
|
||||||
|
docker run -d \
|
||||||
|
--name "$CONTAINER_NAME" \
|
||||||
|
--restart unless-stopped \
|
||||||
|
-p "${HOST_PORT}:3001" \
|
||||||
|
-v "${DATA_PATH}:/data" \
|
||||||
|
-v "${PHOTOS_PATH}:/photos:ro" \
|
||||||
|
-e "PUID=${PUID}" \
|
||||||
|
-e "PGID=${PGID}" \
|
||||||
|
-e "TZ=${TZ}" \
|
||||||
|
-e "PORT=3001" \
|
||||||
|
-e "DATA_DIR=/data" \
|
||||||
|
-e "PHOTOS_DIR=/photos" \
|
||||||
|
"$IMAGE"
|
||||||
|
|
||||||
|
# ── Verify startup ────────────────────────────────────────────────────────────
|
||||||
|
info "Waiting for container to become healthy..."
|
||||||
|
for i in $(seq 1 15); do
|
||||||
|
if docker exec "$CONTAINER_NAME" wget -qO- http://localhost:3001/api/settings &>/dev/null; then
|
||||||
|
success "Family Planner is up!"
|
||||||
|
break
|
||||||
|
fi
|
||||||
|
sleep 2
|
||||||
|
if [ "$i" -eq 15 ]; then
|
||||||
|
warn "Health check timed out. Check logs with: docker logs $CONTAINER_NAME"
|
||||||
|
fi
|
||||||
|
done
|
||||||
|
|
||||||
|
echo ""
|
||||||
|
success "Installation complete."
|
||||||
|
echo ""
|
||||||
|
echo " Open in browser : http://$(hostname -I | awk '{print $1}'):${HOST_PORT}"
|
||||||
|
echo " View logs : docker logs -f $CONTAINER_NAME"
|
||||||
|
echo " Stop : docker stop $CONTAINER_NAME"
|
||||||
|
echo " Update image : docker pull $IMAGE && docker stop $CONTAINER_NAME && bash $(realpath "$0")"
|
||||||
|
echo ""
|
||||||
Reference in New Issue
Block a user