feat(frontend): implement file viewer page with metadata editing and tag picker
- files/[id]/+page.svelte: full-screen preview (100dvh), sticky top bar,
prev/next nav via anchor API, notes/datetime/is_public editing, TagPicker,
EXIF display, keyboard navigation (←/→/Esc)
- TagPicker.svelte: assigned tags with remove, searchable available tags to add
- Fix infinite request loop: previewSrc read inside $effect tracked as dependency;
wrapped in untrack() to prevent re-triggering on blob URL assignment
- vite-mock-plugin: add GET/PATCH /files/{id}, preview endpoint, tags CRUD,
anchor-based pagination, in-memory mutable state for file overrides and tags
- files/+page.svelte: migrate from deprecated $app/stores to $app/state
Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
This commit is contained in:
parent
84c47d0282
commit
a5b610d472
206
frontend/src/lib/components/file/TagPicker.svelte
Normal file
206
frontend/src/lib/components/file/TagPicker.svelte
Normal file
@ -0,0 +1,206 @@
|
|||||||
|
<script lang="ts">
|
||||||
|
import { api } from '$lib/api/client';
|
||||||
|
import type { Tag, TagOffsetPage } from '$lib/api/types';
|
||||||
|
|
||||||
|
interface Props {
|
||||||
|
fileTags: Tag[];
|
||||||
|
onAdd: (tagId: string) => Promise<void>;
|
||||||
|
onRemove: (tagId: string) => Promise<void>;
|
||||||
|
}
|
||||||
|
|
||||||
|
let { fileTags, onAdd, onRemove }: Props = $props();
|
||||||
|
|
||||||
|
let allTags = $state<Tag[]>([]);
|
||||||
|
let search = $state('');
|
||||||
|
let busy = $state(false);
|
||||||
|
|
||||||
|
$effect(() => {
|
||||||
|
api.get<TagOffsetPage>('/tags?limit=200&sort=name&order=asc').then((p) => {
|
||||||
|
allTags = p.items ?? [];
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
let assignedIds = $derived(new Set(fileTags.map((t) => t.id)));
|
||||||
|
|
||||||
|
let filteredAvailable = $derived(
|
||||||
|
allTags.filter(
|
||||||
|
(t) =>
|
||||||
|
!assignedIds.has(t.id) &&
|
||||||
|
(!search.trim() || t.name?.toLowerCase().includes(search.toLowerCase())),
|
||||||
|
),
|
||||||
|
);
|
||||||
|
|
||||||
|
let filteredAssigned = $derived(
|
||||||
|
search.trim()
|
||||||
|
? fileTags.filter((t) => t.name?.toLowerCase().includes(search.toLowerCase()))
|
||||||
|
: fileTags,
|
||||||
|
);
|
||||||
|
|
||||||
|
async function handleAdd(tagId: string) {
|
||||||
|
if (busy) return;
|
||||||
|
busy = true;
|
||||||
|
try {
|
||||||
|
await onAdd(tagId);
|
||||||
|
} finally {
|
||||||
|
busy = false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function handleRemove(tagId: string) {
|
||||||
|
if (busy) return;
|
||||||
|
busy = true;
|
||||||
|
try {
|
||||||
|
await onRemove(tagId);
|
||||||
|
} finally {
|
||||||
|
busy = false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function tagStyle(tag: Tag) {
|
||||||
|
const color = tag.color ?? tag.category_color;
|
||||||
|
return color ? `background-color: #${color}` : '';
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<div class="picker" class:busy>
|
||||||
|
<!-- Assigned tags -->
|
||||||
|
{#if fileTags.length > 0}
|
||||||
|
<div class="section-label">Assigned</div>
|
||||||
|
<div class="tag-row">
|
||||||
|
{#each filteredAssigned as tag (tag.id)}
|
||||||
|
<button
|
||||||
|
class="tag assigned"
|
||||||
|
style={tagStyle(tag)}
|
||||||
|
onclick={() => handleRemove(tag.id!)}
|
||||||
|
title="Remove tag"
|
||||||
|
>
|
||||||
|
{tag.name}
|
||||||
|
<span class="remove">×</span>
|
||||||
|
</button>
|
||||||
|
{/each}
|
||||||
|
</div>
|
||||||
|
{/if}
|
||||||
|
|
||||||
|
<!-- Search -->
|
||||||
|
<input
|
||||||
|
class="search"
|
||||||
|
type="search"
|
||||||
|
placeholder="Search tags…"
|
||||||
|
bind:value={search}
|
||||||
|
autocomplete="off"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<!-- Available tags -->
|
||||||
|
{#if filteredAvailable.length > 0}
|
||||||
|
<div class="section-label">Add tag</div>
|
||||||
|
<div class="tag-row available-row">
|
||||||
|
{#each filteredAvailable as tag (tag.id)}
|
||||||
|
<button
|
||||||
|
class="tag available"
|
||||||
|
style={tagStyle(tag)}
|
||||||
|
onclick={() => handleAdd(tag.id!)}
|
||||||
|
title="Add tag"
|
||||||
|
>
|
||||||
|
{tag.name}
|
||||||
|
</button>
|
||||||
|
{/each}
|
||||||
|
</div>
|
||||||
|
{:else if search.trim()}
|
||||||
|
<p class="empty">No matching tags</p>
|
||||||
|
{/if}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<style>
|
||||||
|
.picker {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 6px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.picker.busy {
|
||||||
|
opacity: 0.6;
|
||||||
|
pointer-events: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.section-label {
|
||||||
|
font-size: 0.75rem;
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
font-weight: 600;
|
||||||
|
text-transform: uppercase;
|
||||||
|
letter-spacing: 0.05em;
|
||||||
|
}
|
||||||
|
|
||||||
|
.tag-row {
|
||||||
|
display: flex;
|
||||||
|
flex-wrap: wrap;
|
||||||
|
gap: 5px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.available-row {
|
||||||
|
max-height: 140px;
|
||||||
|
overflow-y: auto;
|
||||||
|
}
|
||||||
|
|
||||||
|
.tag {
|
||||||
|
display: inline-flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 4px;
|
||||||
|
height: 26px;
|
||||||
|
padding: 0 9px;
|
||||||
|
border-radius: 5px;
|
||||||
|
font-size: 0.8rem;
|
||||||
|
font-family: inherit;
|
||||||
|
cursor: pointer;
|
||||||
|
border: none;
|
||||||
|
background-color: var(--color-tag-default);
|
||||||
|
color: rgba(255, 255, 255, 0.9);
|
||||||
|
user-select: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.tag.assigned {
|
||||||
|
opacity: 0.95;
|
||||||
|
}
|
||||||
|
|
||||||
|
.tag.assigned:hover {
|
||||||
|
filter: brightness(1.1);
|
||||||
|
}
|
||||||
|
|
||||||
|
.remove {
|
||||||
|
font-size: 1rem;
|
||||||
|
line-height: 1;
|
||||||
|
opacity: 0.7;
|
||||||
|
}
|
||||||
|
|
||||||
|
.tag.available {
|
||||||
|
opacity: 0.75;
|
||||||
|
}
|
||||||
|
|
||||||
|
.tag.available:hover {
|
||||||
|
opacity: 1;
|
||||||
|
filter: brightness(1.1);
|
||||||
|
}
|
||||||
|
|
||||||
|
.search {
|
||||||
|
width: 100%;
|
||||||
|
box-sizing: border-box;
|
||||||
|
height: 32px;
|
||||||
|
padding: 0 10px;
|
||||||
|
border-radius: 6px;
|
||||||
|
border: 1px solid color-mix(in srgb, var(--color-accent) 30%, transparent);
|
||||||
|
background-color: var(--color-bg-primary);
|
||||||
|
color: var(--color-text-primary);
|
||||||
|
font-size: 0.85rem;
|
||||||
|
font-family: inherit;
|
||||||
|
outline: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.search:focus {
|
||||||
|
border-color: var(--color-accent);
|
||||||
|
}
|
||||||
|
|
||||||
|
.empty {
|
||||||
|
font-size: 0.8rem;
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
</style>
|
||||||
@ -1,5 +1,5 @@
|
|||||||
<script lang="ts">
|
<script lang="ts">
|
||||||
import { page } from '$app/stores';
|
import { page } from '$app/state';
|
||||||
import { goto } from '$app/navigation';
|
import { goto } from '$app/navigation';
|
||||||
import { api } from '$lib/api/client';
|
import { api } from '$lib/api/client';
|
||||||
import { ApiError } from '$lib/api/client';
|
import { ApiError } from '$lib/api/client';
|
||||||
@ -29,7 +29,7 @@
|
|||||||
let error = $state('');
|
let error = $state('');
|
||||||
let filterOpen = $state(false);
|
let filterOpen = $state(false);
|
||||||
|
|
||||||
let filterParam = $derived($page.url.searchParams.get('filter'));
|
let filterParam = $derived(page.url.searchParams.get('filter'));
|
||||||
let activeTokens = $derived(parseDslFilter(filterParam));
|
let activeTokens = $derived(parseDslFilter(filterParam));
|
||||||
let sortState = $derived($fileSorting);
|
let sortState = $derived($fileSorting);
|
||||||
|
|
||||||
@ -71,7 +71,7 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
function applyFilter(filter: string | null) {
|
function applyFilter(filter: string | null) {
|
||||||
const url = new URL($page.url);
|
const url = new URL(page.url);
|
||||||
if (filter) {
|
if (filter) {
|
||||||
url.searchParams.set('filter', filter);
|
url.searchParams.set('filter', filter);
|
||||||
} else {
|
} else {
|
||||||
|
|||||||
588
frontend/src/routes/files/[id]/+page.svelte
Normal file
588
frontend/src/routes/files/[id]/+page.svelte
Normal file
@ -0,0 +1,588 @@
|
|||||||
|
<script lang="ts">
|
||||||
|
import { page } from '$app/state';
|
||||||
|
import { goto } from '$app/navigation';
|
||||||
|
import { get } from 'svelte/store';
|
||||||
|
import { untrack } from 'svelte';
|
||||||
|
import { api, ApiError } from '$lib/api/client';
|
||||||
|
import { authStore } from '$lib/stores/auth';
|
||||||
|
import { fileSorting } from '$lib/stores/sorting';
|
||||||
|
import TagPicker from '$lib/components/file/TagPicker.svelte';
|
||||||
|
import type { File, Tag, FileCursorPage } from '$lib/api/types';
|
||||||
|
|
||||||
|
// ---- State ----
|
||||||
|
let fileId = $derived(page.params.id);
|
||||||
|
|
||||||
|
let file = $state<File | null>(null);
|
||||||
|
let fileTags = $state<Tag[]>([]);
|
||||||
|
let previewSrc = $state<string | null>(null);
|
||||||
|
let prevFile = $state<File | null>(null);
|
||||||
|
let nextFile = $state<File | null>(null);
|
||||||
|
let loading = $state(true);
|
||||||
|
let saving = $state(false);
|
||||||
|
let error = $state('');
|
||||||
|
|
||||||
|
// Editable fields (initialised on load)
|
||||||
|
let notes = $state('');
|
||||||
|
let contentDatetime = $state('');
|
||||||
|
let isPublic = $state(false);
|
||||||
|
let dirty = $state(false);
|
||||||
|
|
||||||
|
let exifEntries = $derived(
|
||||||
|
file?.exif ? Object.entries(file.exif as Record<string, unknown>) : [],
|
||||||
|
);
|
||||||
|
|
||||||
|
// ---- Load ----
|
||||||
|
$effect(() => {
|
||||||
|
if (!fileId) return;
|
||||||
|
const id = fileId; // snapshot — don't re-run if other state changes
|
||||||
|
// Revoke old blob URL without tracking previewSrc as a dependency
|
||||||
|
untrack(() => {
|
||||||
|
if (previewSrc) URL.revokeObjectURL(previewSrc);
|
||||||
|
previewSrc = null;
|
||||||
|
});
|
||||||
|
void loadPage(id);
|
||||||
|
});
|
||||||
|
|
||||||
|
async function loadPage(id: string) {
|
||||||
|
loading = true;
|
||||||
|
error = '';
|
||||||
|
try {
|
||||||
|
const [fileData, tags] = await Promise.all([
|
||||||
|
api.get<File>(`/files/${id}`),
|
||||||
|
api.get<Tag[]>(`/files/${id}/tags`),
|
||||||
|
]);
|
||||||
|
file = fileData;
|
||||||
|
fileTags = tags;
|
||||||
|
notes = fileData.notes ?? '';
|
||||||
|
contentDatetime = fileData.content_datetime
|
||||||
|
? fileData.content_datetime.slice(0, 16) // YYYY-MM-DDTHH:mm
|
||||||
|
: '';
|
||||||
|
isPublic = fileData.is_public ?? false;
|
||||||
|
dirty = false;
|
||||||
|
|
||||||
|
void fetchPreview(id);
|
||||||
|
void loadNeighbors(id);
|
||||||
|
} catch (e) {
|
||||||
|
error = e instanceof ApiError ? e.message : 'Failed to load file';
|
||||||
|
} finally {
|
||||||
|
loading = false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function fetchPreview(id: string) {
|
||||||
|
const token = get(authStore).accessToken;
|
||||||
|
try {
|
||||||
|
const res = await fetch(`/api/v1/files/${id}/preview`, {
|
||||||
|
headers: token ? { Authorization: `Bearer ${token}` } : {},
|
||||||
|
});
|
||||||
|
if (res.ok) {
|
||||||
|
const blob = await res.blob();
|
||||||
|
previewSrc = URL.createObjectURL(blob);
|
||||||
|
}
|
||||||
|
} catch {
|
||||||
|
// non-critical — thumbnail stays as fallback
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function loadNeighbors(id: string) {
|
||||||
|
const sort = get(fileSorting);
|
||||||
|
const params = new URLSearchParams({
|
||||||
|
anchor: id,
|
||||||
|
limit: '3',
|
||||||
|
sort: sort.sort,
|
||||||
|
order: sort.order,
|
||||||
|
});
|
||||||
|
try {
|
||||||
|
const result = await api.get<FileCursorPage>(`/files?${params}`);
|
||||||
|
const items = result.items ?? [];
|
||||||
|
const idx = items.findIndex((f) => f.id === id);
|
||||||
|
prevFile = idx > 0 ? items[idx - 1] : null;
|
||||||
|
nextFile = idx >= 0 && idx < items.length - 1 ? items[idx + 1] : null;
|
||||||
|
} catch {
|
||||||
|
// non-critical
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---- Save ----
|
||||||
|
async function save() {
|
||||||
|
if (!file || saving) return;
|
||||||
|
saving = true;
|
||||||
|
error = '';
|
||||||
|
try {
|
||||||
|
const updated = await api.patch<File>(`/files/${file.id}`, {
|
||||||
|
notes: notes.trim() || null,
|
||||||
|
content_datetime: contentDatetime
|
||||||
|
? new Date(contentDatetime).toISOString()
|
||||||
|
: undefined,
|
||||||
|
is_public: isPublic,
|
||||||
|
});
|
||||||
|
file = updated;
|
||||||
|
dirty = false;
|
||||||
|
} catch (e) {
|
||||||
|
error = e instanceof ApiError ? e.message : 'Failed to save';
|
||||||
|
} finally {
|
||||||
|
saving = false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---- Tags ----
|
||||||
|
async function addTag(tagId: string) {
|
||||||
|
const updated = await api.put<Tag[]>(`/files/${fileId}/tags/${tagId}`);
|
||||||
|
fileTags = updated;
|
||||||
|
}
|
||||||
|
|
||||||
|
async function removeTag(tagId: string) {
|
||||||
|
await api.delete(`/files/${fileId}/tags/${tagId}`);
|
||||||
|
fileTags = fileTags.filter((t) => t.id !== tagId);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---- Navigation ----
|
||||||
|
function navigateTo(f: File | null) {
|
||||||
|
if (f?.id) goto(`/files/${f.id}`);
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleKeydown(e: KeyboardEvent) {
|
||||||
|
if (e.target instanceof HTMLInputElement || e.target instanceof HTMLTextAreaElement) return;
|
||||||
|
if (e.key === 'ArrowLeft') navigateTo(prevFile);
|
||||||
|
if (e.key === 'ArrowRight') navigateTo(nextFile);
|
||||||
|
if (e.key === 'Escape') goto('/files');
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---- Helpers ----
|
||||||
|
function formatDatetime(iso: string | null | undefined): string {
|
||||||
|
if (!iso) return '—';
|
||||||
|
return new Date(iso).toLocaleString();
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<svelte:head>
|
||||||
|
<title>
|
||||||
|
{file?.original_name ?? fileId} | Tanabata
|
||||||
|
</title>
|
||||||
|
</svelte:head>
|
||||||
|
|
||||||
|
<svelte:window onkeydown={handleKeydown} />
|
||||||
|
|
||||||
|
<div class="viewer-page">
|
||||||
|
<!-- Top bar -->
|
||||||
|
<div class="top-bar">
|
||||||
|
<button class="back-btn" onclick={() => goto('/files')} aria-label="Back to files">
|
||||||
|
<svg width="20" height="20" viewBox="0 0 20 20" fill="none" aria-hidden="true">
|
||||||
|
<path d="M12 4L6 10L12 16" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"/>
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
<span class="filename">{file?.original_name ?? ''}</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Preview -->
|
||||||
|
<div class="preview-wrap">
|
||||||
|
{#if previewSrc}
|
||||||
|
<img src={previewSrc} alt={file?.original_name ?? ''} class="preview-img" />
|
||||||
|
{:else if loading}
|
||||||
|
<div class="preview-placeholder shimmer"></div>
|
||||||
|
{:else}
|
||||||
|
<div class="preview-placeholder failed"></div>
|
||||||
|
{/if}
|
||||||
|
|
||||||
|
<!-- Prev / Next -->
|
||||||
|
{#if prevFile}
|
||||||
|
<button
|
||||||
|
class="nav-btn nav-prev"
|
||||||
|
onclick={() => navigateTo(prevFile)}
|
||||||
|
aria-label="Previous file"
|
||||||
|
>
|
||||||
|
<svg width="18" height="18" viewBox="0 0 18 18" fill="none" aria-hidden="true">
|
||||||
|
<path d="M11 3L5 9L11 15" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"/>
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
{/if}
|
||||||
|
{#if nextFile}
|
||||||
|
<button
|
||||||
|
class="nav-btn nav-next"
|
||||||
|
onclick={() => navigateTo(nextFile)}
|
||||||
|
aria-label="Next file"
|
||||||
|
>
|
||||||
|
<svg width="18" height="18" viewBox="0 0 18 18" fill="none" aria-hidden="true">
|
||||||
|
<path d="M7 3L13 9L7 15" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"/>
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
{/if}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Metadata panel -->
|
||||||
|
<div class="meta-panel">
|
||||||
|
{#if error}
|
||||||
|
<p class="error" role="alert">{error}</p>
|
||||||
|
{/if}
|
||||||
|
|
||||||
|
{#if file}
|
||||||
|
<!-- File info -->
|
||||||
|
<div class="info-row">
|
||||||
|
<span class="mime">{file.mime_type}</span>
|
||||||
|
<span class="sep">·</span>
|
||||||
|
<span class="created">Added {formatDatetime(file.created_at)}</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Edit form -->
|
||||||
|
<section class="section">
|
||||||
|
<label class="field-label" for="notes">Notes</label>
|
||||||
|
<textarea
|
||||||
|
id="notes"
|
||||||
|
class="textarea"
|
||||||
|
rows="3"
|
||||||
|
bind:value={notes}
|
||||||
|
oninput={() => (dirty = true)}
|
||||||
|
placeholder="Add notes…"
|
||||||
|
></textarea>
|
||||||
|
</section>
|
||||||
|
|
||||||
|
<section class="section">
|
||||||
|
<label class="field-label" for="datetime">Date taken</label>
|
||||||
|
<input
|
||||||
|
id="datetime"
|
||||||
|
type="datetime-local"
|
||||||
|
class="input"
|
||||||
|
bind:value={contentDatetime}
|
||||||
|
oninput={() => (dirty = true)}
|
||||||
|
/>
|
||||||
|
</section>
|
||||||
|
|
||||||
|
<section class="section toggle-row">
|
||||||
|
<span class="field-label">Public</span>
|
||||||
|
<button
|
||||||
|
class="toggle"
|
||||||
|
class:on={isPublic}
|
||||||
|
onclick={() => { isPublic = !isPublic; dirty = true; }}
|
||||||
|
role="switch"
|
||||||
|
aria-checked={isPublic}
|
||||||
|
aria-label="Public"
|
||||||
|
>
|
||||||
|
<span class="thumb"></span>
|
||||||
|
</button>
|
||||||
|
</section>
|
||||||
|
|
||||||
|
<button
|
||||||
|
class="save-btn"
|
||||||
|
onclick={save}
|
||||||
|
disabled={!dirty || saving}
|
||||||
|
>
|
||||||
|
{saving ? 'Saving…' : 'Save changes'}
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<!-- Tags -->
|
||||||
|
<section class="section">
|
||||||
|
<div class="field-label">Tags</div>
|
||||||
|
<TagPicker {fileTags} onAdd={addTag} onRemove={removeTag} />
|
||||||
|
</section>
|
||||||
|
|
||||||
|
<!-- EXIF -->
|
||||||
|
{#if exifEntries.length > 0}
|
||||||
|
<section class="section">
|
||||||
|
<div class="field-label">EXIF</div>
|
||||||
|
<dl class="exif">
|
||||||
|
{#each exifEntries as [key, val]}
|
||||||
|
<dt>{key}</dt>
|
||||||
|
<dd>{String(val)}</dd>
|
||||||
|
{/each}
|
||||||
|
</dl>
|
||||||
|
</section>
|
||||||
|
{/if}
|
||||||
|
{:else if !loading}
|
||||||
|
<p class="empty">File not found.</p>
|
||||||
|
{/if}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<style>
|
||||||
|
.viewer-page {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
min-height: 0;
|
||||||
|
padding-bottom: 70px; /* clear navbar */
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- Top bar ---- */
|
||||||
|
.top-bar {
|
||||||
|
position: sticky;
|
||||||
|
top: 0;
|
||||||
|
z-index: 20;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 8px;
|
||||||
|
padding: 6px 10px;
|
||||||
|
background-color: var(--color-bg-primary);
|
||||||
|
border-bottom: 1px solid color-mix(in srgb, var(--color-accent) 15%, transparent);
|
||||||
|
min-height: 44px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.back-btn {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
width: 36px;
|
||||||
|
height: 36px;
|
||||||
|
border-radius: 8px;
|
||||||
|
border: none;
|
||||||
|
background: none;
|
||||||
|
color: var(--color-text-primary);
|
||||||
|
cursor: pointer;
|
||||||
|
flex-shrink: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.back-btn:hover {
|
||||||
|
background-color: color-mix(in srgb, var(--color-accent) 15%, transparent);
|
||||||
|
}
|
||||||
|
|
||||||
|
.filename {
|
||||||
|
font-size: 0.9rem;
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
overflow: hidden;
|
||||||
|
text-overflow: ellipsis;
|
||||||
|
white-space: nowrap;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- Preview ---- */
|
||||||
|
.preview-wrap {
|
||||||
|
position: relative;
|
||||||
|
background-color: #000;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
/* Fill viewport below the top bar (44px) */
|
||||||
|
height: calc(100dvh - 44px);
|
||||||
|
flex-shrink: 0;
|
||||||
|
overflow: hidden;
|
||||||
|
}
|
||||||
|
|
||||||
|
.preview-img {
|
||||||
|
max-width: 100%;
|
||||||
|
max-height: 100%;
|
||||||
|
object-fit: contain;
|
||||||
|
display: block;
|
||||||
|
}
|
||||||
|
|
||||||
|
.preview-placeholder {
|
||||||
|
width: 100%;
|
||||||
|
height: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.preview-placeholder.shimmer {
|
||||||
|
background: linear-gradient(
|
||||||
|
90deg,
|
||||||
|
#111 25%,
|
||||||
|
#222 50%,
|
||||||
|
#111 75%
|
||||||
|
);
|
||||||
|
background-size: 200% 100%;
|
||||||
|
animation: shimmer 1.4s infinite;
|
||||||
|
}
|
||||||
|
|
||||||
|
.preview-placeholder.failed {
|
||||||
|
background-color: #1a1010;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- Nav buttons ---- */
|
||||||
|
.nav-btn {
|
||||||
|
position: absolute;
|
||||||
|
top: 50%;
|
||||||
|
transform: translateY(-50%);
|
||||||
|
width: 40px;
|
||||||
|
height: 40px;
|
||||||
|
border-radius: 50%;
|
||||||
|
border: none;
|
||||||
|
background-color: rgba(0, 0, 0, 0.55);
|
||||||
|
color: #fff;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: center;
|
||||||
|
cursor: pointer;
|
||||||
|
transition: background-color 0.15s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.nav-btn:hover {
|
||||||
|
background-color: rgba(0, 0, 0, 0.8);
|
||||||
|
}
|
||||||
|
|
||||||
|
.nav-prev { left: 10px; }
|
||||||
|
.nav-next { right: 10px; }
|
||||||
|
|
||||||
|
/* ---- Metadata panel ---- */
|
||||||
|
.meta-panel {
|
||||||
|
padding: 14px 14px 0;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.info-row {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 6px;
|
||||||
|
font-size: 0.8rem;
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
padding-bottom: 10px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.sep { opacity: 0.4; }
|
||||||
|
|
||||||
|
.section {
|
||||||
|
padding: 10px 0;
|
||||||
|
border-top: 1px solid color-mix(in srgb, var(--color-accent) 12%, transparent);
|
||||||
|
}
|
||||||
|
|
||||||
|
.field-label {
|
||||||
|
font-size: 0.75rem;
|
||||||
|
font-weight: 600;
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
text-transform: uppercase;
|
||||||
|
letter-spacing: 0.05em;
|
||||||
|
margin-bottom: 6px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.textarea {
|
||||||
|
width: 100%;
|
||||||
|
box-sizing: border-box;
|
||||||
|
padding: 8px 10px;
|
||||||
|
border-radius: 6px;
|
||||||
|
border: 1px solid color-mix(in srgb, var(--color-accent) 30%, transparent);
|
||||||
|
background-color: var(--color-bg-elevated);
|
||||||
|
color: var(--color-text-primary);
|
||||||
|
font-size: 0.875rem;
|
||||||
|
font-family: inherit;
|
||||||
|
resize: vertical;
|
||||||
|
outline: none;
|
||||||
|
min-height: 70px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.textarea:focus {
|
||||||
|
border-color: var(--color-accent);
|
||||||
|
}
|
||||||
|
|
||||||
|
.input {
|
||||||
|
width: 100%;
|
||||||
|
box-sizing: border-box;
|
||||||
|
height: 36px;
|
||||||
|
padding: 0 10px;
|
||||||
|
border-radius: 6px;
|
||||||
|
border: 1px solid color-mix(in srgb, var(--color-accent) 30%, transparent);
|
||||||
|
background-color: var(--color-bg-elevated);
|
||||||
|
color: var(--color-text-primary);
|
||||||
|
font-size: 0.875rem;
|
||||||
|
font-family: inherit;
|
||||||
|
outline: none;
|
||||||
|
color-scheme: dark;
|
||||||
|
}
|
||||||
|
|
||||||
|
.input:focus {
|
||||||
|
border-color: var(--color-accent);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- Toggle ---- */
|
||||||
|
.toggle-row {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
justify-content: space-between;
|
||||||
|
padding-top: 12px;
|
||||||
|
padding-bottom: 12px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.toggle-row .field-label {
|
||||||
|
margin-bottom: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.toggle {
|
||||||
|
position: relative;
|
||||||
|
width: 44px;
|
||||||
|
height: 26px;
|
||||||
|
border-radius: 13px;
|
||||||
|
border: none;
|
||||||
|
background-color: color-mix(in srgb, var(--color-accent) 25%, var(--color-bg-elevated));
|
||||||
|
cursor: pointer;
|
||||||
|
transition: background-color 0.2s;
|
||||||
|
flex-shrink: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.toggle.on {
|
||||||
|
background-color: var(--color-accent);
|
||||||
|
}
|
||||||
|
|
||||||
|
.thumb {
|
||||||
|
position: absolute;
|
||||||
|
top: 3px;
|
||||||
|
left: 3px;
|
||||||
|
width: 20px;
|
||||||
|
height: 20px;
|
||||||
|
border-radius: 50%;
|
||||||
|
background-color: #fff;
|
||||||
|
transition: transform 0.2s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.toggle.on .thumb {
|
||||||
|
transform: translateX(18px);
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- Save button ---- */
|
||||||
|
.save-btn {
|
||||||
|
width: 100%;
|
||||||
|
height: 40px;
|
||||||
|
border-radius: 8px;
|
||||||
|
border: none;
|
||||||
|
background-color: var(--color-accent);
|
||||||
|
color: var(--color-bg-primary);
|
||||||
|
font-size: 0.9rem;
|
||||||
|
font-weight: 600;
|
||||||
|
font-family: inherit;
|
||||||
|
cursor: pointer;
|
||||||
|
margin-top: 4px;
|
||||||
|
margin-bottom: 4px;
|
||||||
|
transition: background-color 0.15s, opacity 0.15s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.save-btn:hover:not(:disabled) {
|
||||||
|
background-color: var(--color-accent-hover);
|
||||||
|
}
|
||||||
|
|
||||||
|
.save-btn:disabled {
|
||||||
|
opacity: 0.4;
|
||||||
|
cursor: default;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- EXIF ---- */
|
||||||
|
.exif {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: auto 1fr;
|
||||||
|
gap: 3px 12px;
|
||||||
|
font-size: 0.78rem;
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
dt {
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
|
dd {
|
||||||
|
margin: 0;
|
||||||
|
color: var(--color-text-primary);
|
||||||
|
word-break: break-word;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* ---- Misc ---- */
|
||||||
|
.error {
|
||||||
|
color: var(--color-danger);
|
||||||
|
font-size: 0.875rem;
|
||||||
|
padding: 8px 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.empty {
|
||||||
|
color: var(--color-text-muted);
|
||||||
|
font-size: 0.95rem;
|
||||||
|
text-align: center;
|
||||||
|
padding: 40px 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
@keyframes shimmer {
|
||||||
|
0% { background-position: 200% 0; }
|
||||||
|
100% { background-position: -200% 0; }
|
||||||
|
}
|
||||||
|
</style>
|
||||||
@ -134,6 +134,16 @@ const MOCK_TAGS = TAG_NAMES.map((name, i) => ({
|
|||||||
created_at: new Date(Date.now() - i * 3_600_000).toISOString(),
|
created_at: new Date(Date.now() - i * 3_600_000).toISOString(),
|
||||||
}));
|
}));
|
||||||
|
|
||||||
|
// Mutable in-memory state for file metadata and tags
|
||||||
|
const fileOverrides = new Map<string, Partial<typeof MOCK_FILES[0]>>();
|
||||||
|
const fileTags = new Map<string, Set<string>>(); // fileId → Set<tagId>
|
||||||
|
|
||||||
|
function getMockFile(id: string) {
|
||||||
|
const base = MOCK_FILES.find((f) => f.id === id);
|
||||||
|
if (!base) return null;
|
||||||
|
return { ...base, ...(fileOverrides.get(id) ?? {}) };
|
||||||
|
}
|
||||||
|
|
||||||
export function mockApiPlugin(): Plugin {
|
export function mockApiPlugin(): Plugin {
|
||||||
return {
|
return {
|
||||||
name: 'mock-api',
|
name: 'mock-api',
|
||||||
@ -197,17 +207,89 @@ export function mockApiPlugin(): Plugin {
|
|||||||
return res.end(svg);
|
return res.end(svg);
|
||||||
}
|
}
|
||||||
|
|
||||||
// GET /files (cursor pagination — page through MOCK_FILES in chunks of 50)
|
// GET /files/{id}/preview (same SVG, just bigger)
|
||||||
|
const previewMatch = path.match(/^\/files\/([^/]+)\/preview$/);
|
||||||
|
if (method === 'GET' && previewMatch) {
|
||||||
|
const id = previewMatch[1];
|
||||||
|
const color = THUMB_COLORS[id.charCodeAt(id.length - 1) % THUMB_COLORS.length];
|
||||||
|
const label = id.slice(-4);
|
||||||
|
const svg = `<svg xmlns="http://www.w3.org/2000/svg" width="800" height="600">
|
||||||
|
<rect width="800" height="600" fill="${color}"/>
|
||||||
|
<text x="400" y="315" text-anchor="middle" font-family="monospace" font-size="48" fill="rgba(0,0,0,0.35)">${label}</text>
|
||||||
|
</svg>`;
|
||||||
|
res.writeHead(200, { 'Content-Type': 'image/svg+xml', 'Content-Length': Buffer.byteLength(svg) });
|
||||||
|
return res.end(svg);
|
||||||
|
}
|
||||||
|
|
||||||
|
// GET /files/{id}/tags
|
||||||
|
const fileTagsGetMatch = path.match(/^\/files\/([^/]+)\/tags$/);
|
||||||
|
if (method === 'GET' && fileTagsGetMatch) {
|
||||||
|
const ids = fileTags.get(fileTagsGetMatch[1]) ?? new Set<string>();
|
||||||
|
return json(res, 200, MOCK_TAGS.filter((t) => ids.has(t.id)));
|
||||||
|
}
|
||||||
|
|
||||||
|
// PUT /files/{id}/tags/{tag_id} — add tag
|
||||||
|
const fileTagPutMatch = path.match(/^\/files\/([^/]+)\/tags\/([^/]+)$/);
|
||||||
|
if (method === 'PUT' && fileTagPutMatch) {
|
||||||
|
const [, fid, tid] = fileTagPutMatch;
|
||||||
|
if (!fileTags.has(fid)) fileTags.set(fid, new Set());
|
||||||
|
fileTags.get(fid)!.add(tid);
|
||||||
|
const ids = fileTags.get(fid)!;
|
||||||
|
return json(res, 200, MOCK_TAGS.filter((t) => ids.has(t.id)));
|
||||||
|
}
|
||||||
|
|
||||||
|
// DELETE /files/{id}/tags/{tag_id} — remove tag
|
||||||
|
const fileTagDelMatch = path.match(/^\/files\/([^/]+)\/tags\/([^/]+)$/);
|
||||||
|
if (method === 'DELETE' && fileTagDelMatch) {
|
||||||
|
const [, fid, tid] = fileTagDelMatch;
|
||||||
|
fileTags.get(fid)?.delete(tid);
|
||||||
|
return noContent(res);
|
||||||
|
}
|
||||||
|
|
||||||
|
// GET /files/{id} — single file
|
||||||
|
const fileGetMatch = path.match(/^\/files\/([^/]+)$/);
|
||||||
|
if (method === 'GET' && fileGetMatch) {
|
||||||
|
const f = getMockFile(fileGetMatch[1]);
|
||||||
|
if (!f) return json(res, 404, { code: 'not_found', message: 'File not found' });
|
||||||
|
return json(res, 200, f);
|
||||||
|
}
|
||||||
|
|
||||||
|
// PATCH /files/{id} — update metadata
|
||||||
|
const filePatchMatch = path.match(/^\/files\/([^/]+)$/);
|
||||||
|
if (method === 'PATCH' && filePatchMatch) {
|
||||||
|
const id = filePatchMatch[1];
|
||||||
|
const base = getMockFile(id);
|
||||||
|
if (!base) return json(res, 404, { code: 'not_found', message: 'File not found' });
|
||||||
|
const body = (await readBody(req)) as Record<string, unknown>;
|
||||||
|
fileOverrides.set(id, { ...(fileOverrides.get(id) ?? {}), ...body });
|
||||||
|
return json(res, 200, getMockFile(id));
|
||||||
|
}
|
||||||
|
|
||||||
|
// GET /files (cursor pagination + anchor support)
|
||||||
if (method === 'GET' && path === '/files') {
|
if (method === 'GET' && path === '/files') {
|
||||||
const qs = new URLSearchParams(url.split('?')[1] ?? '');
|
const qs = new URLSearchParams(url.split('?')[1] ?? '');
|
||||||
|
const anchor = qs.get('anchor');
|
||||||
const cursor = qs.get('cursor');
|
const cursor = qs.get('cursor');
|
||||||
const limit = Math.min(Number(qs.get('limit') ?? 50), 200);
|
const limit = Math.min(Number(qs.get('limit') ?? 50), 200);
|
||||||
|
|
||||||
|
if (anchor) {
|
||||||
|
// Anchor mode: return the anchor file surrounded by neighbors
|
||||||
|
const anchorIdx = MOCK_FILES.findIndex((f) => f.id === anchor);
|
||||||
|
if (anchorIdx < 0) return json(res, 404, { code: 'not_found', message: 'Anchor not found' });
|
||||||
|
const from = Math.max(0, anchorIdx - Math.floor(limit / 2));
|
||||||
|
const slice = MOCK_FILES.slice(from, from + limit);
|
||||||
|
const next_cursor = from + slice.length < MOCK_FILES.length
|
||||||
|
? Buffer.from(String(from + slice.length)).toString('base64') : null;
|
||||||
|
const prev_cursor = from > 0
|
||||||
|
? Buffer.from(String(from)).toString('base64') : null;
|
||||||
|
return json(res, 200, { items: slice, next_cursor, prev_cursor });
|
||||||
|
}
|
||||||
|
|
||||||
const offset = cursor ? Number(Buffer.from(cursor, 'base64').toString()) : 0;
|
const offset = cursor ? Number(Buffer.from(cursor, 'base64').toString()) : 0;
|
||||||
const slice = MOCK_FILES.slice(offset, offset + limit);
|
const slice = MOCK_FILES.slice(offset, offset + limit);
|
||||||
const nextOffset = offset + slice.length;
|
const nextOffset = offset + slice.length;
|
||||||
const next_cursor = nextOffset < MOCK_FILES.length
|
const next_cursor = nextOffset < MOCK_FILES.length
|
||||||
? Buffer.from(String(nextOffset)).toString('base64')
|
? Buffer.from(String(nextOffset)).toString('base64') : null;
|
||||||
: null;
|
|
||||||
return json(res, 200, { items: slice, next_cursor, prev_cursor: null });
|
return json(res, 200, { items: slice, next_cursor, prev_cursor: null });
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user