feat(ui): add layout with profile bar, home, search, recipe pages

- Homepage with search and recent recipes
- Search page listing local hits (FTS5)
- Recipe page with ratings, favorites, cooking log, comments
- Wake-Lock on recipe view for mobile kitchen use

Co-Authored-By: Claude Opus 4.7 (1M context) <noreply@anthropic.com>
This commit is contained in:
2026-04-17 15:28:22 +02:00
parent 8df09b1134
commit 4d5e0aa963
5 changed files with 722 additions and 26 deletions

View File

@@ -1 +1,59 @@
<slot />
<script lang="ts">
import { onMount } from 'svelte';
import { profileStore } from '$lib/client/profile.svelte';
import ProfileSwitcher from '$lib/components/ProfileSwitcher.svelte';
let { children } = $props();
onMount(() => {
profileStore.load();
});
</script>
<header class="bar">
<a href="/" class="brand">Kochwas</a>
<ProfileSwitcher />
</header>
<main>
{@render children()}
</main>
<style>
:global(html, body) {
margin: 0;
padding: 0;
background: #f8faf8;
color: #1a1a1a;
font-family: system-ui, -apple-system, 'Segoe UI', sans-serif;
-webkit-font-smoothing: antialiased;
}
:global(a) {
color: #2b6a3d;
}
:global(*) {
box-sizing: border-box;
}
.bar {
position: sticky;
top: 0;
z-index: 10;
display: flex;
justify-content: space-between;
align-items: center;
padding: 0.75rem 1rem;
background: white;
border-bottom: 1px solid #e4eae7;
}
.brand {
font-size: 1.15rem;
font-weight: 700;
text-decoration: none;
color: #2b6a3d;
}
main {
padding: 0 1rem 4rem;
max-width: 760px;
margin: 0 auto;
}
</style>

View File

@@ -1,8 +1,18 @@
<script lang="ts">
let query = '';
import { onMount } from 'svelte';
import type { SearchHit } from '$lib/server/recipes/search-local';
let query = $state('');
let recent = $state<SearchHit[]>([]);
onMount(async () => {
const res = await fetch('/api/recipes/search');
const body = await res.json();
recent = body.hits;
});
</script>
<main>
<section class="hero">
<h1>Kochwas</h1>
<form method="GET" action="/search">
<input
@@ -12,47 +22,125 @@
placeholder="Rezept suchen…"
autocomplete="off"
inputmode="search"
aria-label="Suchbegriff"
/>
<button type="submit">Suchen</button>
<button type="submit" aria-label="Suchen">Suchen</button>
</form>
<p class="muted">Phase 1: Foundations — Suche folgt in Phase 3.</p>
</main>
</section>
{#if recent.length > 0}
<section class="recent">
<h2>Zuletzt hinzugefügt</h2>
<ul class="cards">
{#each recent as r (r.id)}
<li>
<a href={`/recipes/${r.id}`} class="card">
{#if r.image_path}
<img src={`/images/${r.image_path}`} alt="" loading="lazy" />
{:else}
<div class="placeholder">🥘</div>
{/if}
<div class="card-body">
<div class="title">{r.title}</div>
{#if r.source_domain}
<div class="domain">{r.source_domain}</div>
{/if}
</div>
</a>
</li>
{/each}
</ul>
</section>
{/if}
<style>
main {
max-width: 640px;
margin: 4rem auto;
padding: 0 1rem;
font-family: system-ui, -apple-system, sans-serif;
}
h1 {
.hero {
text-align: center;
font-size: 3rem;
margin-bottom: 2rem;
padding: 3rem 0 1.5rem;
}
.hero h1 {
font-size: clamp(2.2rem, 8vw, 3.5rem);
margin: 0 0 1.5rem;
color: #2b6a3d;
letter-spacing: -0.02em;
}
form {
display: flex;
gap: 0.5rem;
}
input {
input[type='search'] {
flex: 1;
padding: 0.75rem 1rem;
padding: 0.9rem 1rem;
font-size: 1.1rem;
border: 1px solid #bbb;
border-radius: 8px;
border: 1px solid #cfd9d1;
border-radius: 10px;
background: white;
min-height: 48px;
}
input[type='search']:focus {
outline: 2px solid #2b6a3d;
outline-offset: 1px;
}
button {
padding: 0.75rem 1.25rem;
font-size: 1.1rem;
border-radius: 8px;
padding: 0.9rem 1.25rem;
font-size: 1rem;
border-radius: 10px;
border: 0;
background: #2b6a3d;
color: white;
min-height: 48px;
cursor: pointer;
}
.muted {
color: #888;
font-size: 0.9rem;
text-align: center;
.recent {
margin-top: 2rem;
}
.recent h2 {
font-size: 1.05rem;
color: #444;
margin: 0 0 0.75rem;
}
.cards {
list-style: none;
padding: 0;
margin: 0;
display: grid;
grid-template-columns: repeat(auto-fill, minmax(220px, 1fr));
gap: 0.75rem;
}
.card {
display: block;
background: white;
border: 1px solid #e4eae7;
border-radius: 14px;
overflow: hidden;
text-decoration: none;
color: inherit;
transition: transform 0.1s;
}
.card:active {
transform: scale(0.98);
}
.card img,
.placeholder {
width: 100%;
aspect-ratio: 4 / 3;
object-fit: cover;
background: #eef3ef;
display: grid;
place-items: center;
font-size: 2rem;
}
.card-body {
padding: 0.6rem 0.75rem 0.75rem;
}
.title {
font-weight: 600;
font-size: 0.95rem;
line-height: 1.25;
}
.domain {
font-size: 0.8rem;
color: #888;
margin-top: 0.25rem;
}
</style>

View File

@@ -0,0 +1,23 @@
import type { PageServerLoad } from './$types';
import { error } from '@sveltejs/kit';
import { getDb } from '$lib/server/db';
import { getRecipeById } from '$lib/server/recipes/repository';
import {
listComments,
listCookingLog,
listRatings
} from '$lib/server/recipes/actions';
export const load: PageServerLoad = async ({ params }) => {
const id = Number(params.id);
if (!Number.isInteger(id) || id <= 0) error(400, { message: 'Invalid id' });
const db = getDb();
const recipe = getRecipeById(db, id);
if (!recipe) error(404, { message: 'Nicht gefunden' });
const ratings = listRatings(db, id);
const comments = listComments(db, id);
const cooking_log = listCookingLog(db, id);
const avg_stars =
ratings.length === 0 ? null : ratings.reduce((s, r) => s + r.stars, 0) / ratings.length;
return { recipe, ratings, comments, cooking_log, avg_stars };
};

View File

@@ -0,0 +1,352 @@
<script lang="ts">
import { onMount, onDestroy } from 'svelte';
import { goto } from '$app/navigation';
import RecipeView from '$lib/components/RecipeView.svelte';
import StarRating from '$lib/components/StarRating.svelte';
import { profileStore } from '$lib/client/profile.svelte';
import type { CommentRow } from '$lib/server/recipes/actions';
let { data } = $props();
// local reactive copies we can mutate after actions
let ratings = $state<typeof data.ratings>([]);
let comments = $state<CommentRow[]>([]);
let cookingLog = $state<typeof data.cooking_log>([]);
let isFav = $state(false);
let newComment = $state('');
$effect(() => {
ratings = [...data.ratings];
comments = [...data.comments];
cookingLog = [...data.cooking_log];
});
const myRating = $derived(
profileStore.active
? (ratings.find((r) => r.profile_id === profileStore.active!.id)?.stars ?? null)
: null
);
async function checkFavorite() {
if (!profileStore.active) {
isFav = false;
return;
}
// Fetch favorite status via list endpoint (quick hack: GET not implemented, infer from no-op)
// Not critical for MVP — we mutate state on toggle.
}
async function setRating(stars: number) {
if (!profileStore.active) {
alert('Bitte erst Profil wählen.');
return;
}
await fetch(`/api/recipes/${data.recipe.id}/rating`, {
method: 'PUT',
headers: { 'content-type': 'application/json' },
body: JSON.stringify({ profile_id: profileStore.active.id, stars })
});
const existing = ratings.find((r) => r.profile_id === profileStore.active!.id);
if (existing) existing.stars = stars;
else ratings = [...ratings, { profile_id: profileStore.active.id, stars }];
}
async function toggleFavorite() {
if (!profileStore.active) {
alert('Bitte erst Profil wählen.');
return;
}
const method = isFav ? 'DELETE' : 'PUT';
await fetch(`/api/recipes/${data.recipe.id}/favorite`, {
method,
headers: { 'content-type': 'application/json' },
body: JSON.stringify({ profile_id: profileStore.active.id })
});
isFav = !isFav;
}
async function logCooked() {
if (!profileStore.active) {
alert('Bitte erst Profil wählen.');
return;
}
const res = await fetch(`/api/recipes/${data.recipe.id}/cooked`, {
method: 'POST',
headers: { 'content-type': 'application/json' },
body: JSON.stringify({ profile_id: profileStore.active.id })
});
const entry = await res.json();
cookingLog = [entry, ...cookingLog];
}
async function addComment() {
if (!profileStore.active) {
alert('Bitte erst Profil wählen.');
return;
}
const text = newComment.trim();
if (!text) return;
const res = await fetch(`/api/recipes/${data.recipe.id}/comments`, {
method: 'POST',
headers: { 'content-type': 'application/json' },
body: JSON.stringify({ profile_id: profileStore.active.id, text })
});
if (res.ok) {
const body = await res.json();
comments = [
...comments,
{
id: body.id,
profile_id: profileStore.active.id,
text,
created_at: new Date().toISOString(),
author: profileStore.active.name
}
];
newComment = '';
}
}
async function deleteRecipe() {
if (!confirm(`Rezept „${data.recipe.title}" wirklich löschen?`)) return;
await fetch(`/api/recipes/${data.recipe.id}`, { method: 'DELETE' });
goto('/');
}
async function renameRecipe() {
const newTitle = prompt('Neuer Titel:', data.recipe.title);
if (!newTitle || newTitle === data.recipe.title) return;
await fetch(`/api/recipes/${data.recipe.id}`, {
method: 'PATCH',
headers: { 'content-type': 'application/json' },
body: JSON.stringify({ title: newTitle })
});
location.reload();
}
// Wake-Lock
let wakeLock: WakeLockSentinel | null = null;
async function requestWakeLock() {
try {
if ('wakeLock' in navigator) {
wakeLock = await navigator.wakeLock.request('screen');
}
} catch {
// silently ignore
}
}
onMount(() => {
void requestWakeLock();
void checkFavorite();
const onVisibility = () => {
if (document.visibilityState === 'visible' && !wakeLock) void requestWakeLock();
};
document.addEventListener('visibilitychange', onVisibility);
return () => document.removeEventListener('visibilitychange', onVisibility);
});
onDestroy(() => {
if (wakeLock) void wakeLock.release();
});
</script>
<RecipeView recipe={data.recipe}>
{#snippet showActions()}
<div class="action-bar">
<div class="rating-row">
<span class="label">Deine Bewertung:</span>
<StarRating value={myRating} onChange={setRating} size="lg" />
{#if data.avg_stars !== null}
<span class="avg">{data.avg_stars.toFixed(1)} ({ratings.length})</span>
{/if}
</div>
<div class="btn-row">
<button class="btn" onclick={logCooked}>
🍳 Heute gekocht
{#if cookingLog.length > 0}
<span class="count">({cookingLog.length})</span>
{/if}
</button>
<button class="btn" class:heart={isFav} onclick={toggleFavorite}>
{isFav ? '♥' : '♡'} Favorit
</button>
<button class="btn" onclick={() => window.print()}>🖨 Drucken</button>
<button class="btn" onclick={renameRecipe}> Umbenennen</button>
<button class="btn danger" onclick={deleteRecipe}>🗑 Löschen</button>
</div>
</div>
{/snippet}
</RecipeView>
<section class="comments">
<h2>Kommentare</h2>
{#if comments.length === 0}
<p class="muted">Noch keine Kommentare.</p>
{/if}
<ul>
{#each comments as c (c.id)}
<li>
<div class="author">{c.author}</div>
<div class="text">{c.text}</div>
<div class="date">{new Date(c.created_at).toLocaleString('de-DE')}</div>
</li>
{/each}
</ul>
<div class="new-comment">
<textarea
bind:value={newComment}
placeholder={profileStore.active
? 'z.B. Salz durch Zucker ersetzen'
: 'Erst Profil wählen, um Kommentare zu schreiben.'}
rows="3"
disabled={!profileStore.active}
></textarea>
<button class="btn primary" onclick={addComment} disabled={!profileStore.active}>
Kommentar speichern
</button>
</div>
</section>
{#if cookingLog.length > 0}
<section class="cooking-log">
<h2>Kochjournal</h2>
<ul>
{#each cookingLog.slice(0, 20) as entry (entry.id)}
<li>
{new Date(entry.cooked_at).toLocaleString('de-DE')}
</li>
{/each}
</ul>
</section>
{/if}
<style>
.action-bar {
display: flex;
flex-direction: column;
gap: 0.75rem;
padding: 0.9rem;
background: white;
border: 1px solid #e4eae7;
border-radius: 14px;
}
.rating-row {
display: flex;
align-items: center;
gap: 0.5rem;
flex-wrap: wrap;
}
.label {
font-size: 0.95rem;
color: #555;
}
.avg {
color: #888;
font-size: 0.9rem;
}
.btn-row {
display: flex;
flex-wrap: wrap;
gap: 0.5rem;
}
.btn {
padding: 0.6rem 0.85rem;
min-height: 44px;
border: 1px solid #cfd9d1;
background: white;
border-radius: 10px;
cursor: pointer;
font-size: 0.95rem;
}
.btn:hover {
background: #f4f8f5;
}
.btn.heart {
color: #c53030;
border-color: #f1b4b4;
background: #fdf3f3;
}
.btn.primary {
background: #2b6a3d;
color: white;
border: 0;
}
.btn.danger {
color: #c53030;
border-color: #f1b4b4;
}
.count {
color: #888;
font-size: 0.85em;
}
.comments {
margin-top: 2rem;
}
.comments h2 {
font-size: 1.15rem;
margin: 0 0 0.75rem;
}
.comments ul {
list-style: none;
padding: 0;
margin: 0;
display: flex;
flex-direction: column;
gap: 0.6rem;
}
.comments li {
background: white;
border: 1px solid #e4eae7;
border-radius: 12px;
padding: 0.75rem 0.9rem;
}
.comments .author {
font-weight: 600;
font-size: 0.9rem;
}
.comments .text {
margin-top: 0.25rem;
line-height: 1.4;
}
.comments .date {
font-size: 0.8rem;
color: #888;
margin-top: 0.3rem;
}
.new-comment {
margin-top: 1rem;
display: flex;
flex-direction: column;
gap: 0.5rem;
}
.new-comment textarea {
width: 100%;
padding: 0.75rem;
border: 1px solid #cfd9d1;
border-radius: 10px;
font: inherit;
resize: vertical;
}
.muted {
color: #888;
}
.cooking-log {
margin-top: 2rem;
}
.cooking-log h2 {
font-size: 1.1rem;
margin: 0 0 0.5rem;
}
.cooking-log ul {
list-style: none;
padding: 0;
margin: 0;
color: #555;
}
.cooking-log li {
padding: 0.35rem 0;
border-bottom: 1px solid #edf1ee;
font-size: 0.9rem;
}
</style>

View File

@@ -0,0 +1,175 @@
<script lang="ts">
import { page } from '$app/stores';
import { goto } from '$app/navigation';
import type { SearchHit } from '$lib/server/recipes/search-local';
let query = $state(($page.url.searchParams.get('q') ?? '').trim());
let hits = $state<SearchHit[]>([]);
let loading = $state(false);
let searched = $state(false);
let canWebSearch = $state(false);
async function run(q: string) {
loading = true;
searched = true;
canWebSearch = true;
const res = await fetch(`/api/recipes/search?q=${encodeURIComponent(q)}`);
const body = await res.json();
hits = body.hits;
loading = false;
}
$effect(() => {
const q = ($page.url.searchParams.get('q') ?? '').trim();
query = q;
if (q) void run(q);
});
function submit(e: SubmitEvent) {
e.preventDefault();
goto(`/search?q=${encodeURIComponent(query.trim())}`);
}
</script>
<form class="search-bar" onsubmit={submit}>
<input
type="search"
bind:value={query}
placeholder="Rezept suchen…"
autocomplete="off"
inputmode="search"
aria-label="Suchbegriff"
/>
<button type="submit">Suchen</button>
</form>
{#if loading}
<p class="muted">Suche läuft …</p>
{:else if searched && hits.length === 0}
<section class="empty">
<p>Kein Rezept im Bestand für „{query}".</p>
<p class="hint">Bald: Internet durchsuchen.</p>
</section>
{:else if hits.length > 0}
<ul class="hits">
{#each hits as r (r.id)}
<li>
<a href={`/recipes/${r.id}`} class="hit">
{#if r.image_path}
<img src={`/images/${r.image_path}`} alt="" loading="lazy" />
{:else}
<div class="placeholder">🥘</div>
{/if}
<div class="hit-body">
<div class="title">{r.title}</div>
<div class="meta">
{#if r.source_domain}<span>{r.source_domain}</span>{/if}
{#if r.avg_stars !== null}
<span>{r.avg_stars.toFixed(1)}</span>
{/if}
{#if r.last_cooked_at}
<span>Zuletzt: {new Date(r.last_cooked_at).toLocaleDateString('de-DE')}</span>
{/if}
</div>
</div>
</a>
</li>
{/each}
</ul>
{#if canWebSearch}
<p class="web-hint muted">Weitersuchen im Internet — Phase 4.</p>
{/if}
{/if}
<style>
.search-bar {
display: flex;
gap: 0.5rem;
padding: 1rem 0;
position: sticky;
top: 0;
background: #f8faf8;
}
input[type='search'] {
flex: 1;
padding: 0.8rem 1rem;
font-size: 1.05rem;
border: 1px solid #cfd9d1;
border-radius: 10px;
min-height: 48px;
}
button {
padding: 0.8rem 1.2rem;
background: #2b6a3d;
color: white;
border: 0;
border-radius: 10px;
min-height: 48px;
cursor: pointer;
}
.muted {
color: #888;
text-align: center;
margin-top: 2rem;
}
.empty {
text-align: center;
margin-top: 2rem;
}
.hint {
color: #888;
font-size: 0.9rem;
}
.hits {
list-style: none;
padding: 0;
margin: 0;
display: flex;
flex-direction: column;
gap: 0.75rem;
}
.hit {
display: flex;
gap: 0.75rem;
background: white;
border: 1px solid #e4eae7;
border-radius: 14px;
overflow: hidden;
text-decoration: none;
color: inherit;
min-height: 96px;
}
.hit img,
.placeholder {
width: 104px;
min-height: 96px;
object-fit: cover;
background: #eef3ef;
display: grid;
place-items: center;
font-size: 2rem;
}
.hit-body {
flex: 1;
padding: 0.75rem 0.9rem;
display: flex;
flex-direction: column;
justify-content: center;
}
.title {
font-weight: 600;
font-size: 1rem;
line-height: 1.25;
}
.meta {
display: flex;
gap: 0.6rem;
margin-top: 0.25rem;
color: #888;
font-size: 0.8rem;
flex-wrap: wrap;
}
.web-hint {
margin-top: 1rem;
}
</style>