Add Next.js frontend PWA

- Pages: login, register, tasks list, task detail
- Components: TaskCard, TaskForm, GroupSelector, StatusBadge, Header
- Tailwind CSS, dark/light mode, PWA manifest
- Running on :3001 via systemd

Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
This commit is contained in:
Claude CLI Agent
2026-03-29 10:02:32 +00:00
parent 9d075455e3
commit b5a6dd6d6f
29 changed files with 7541 additions and 0 deletions

View File

@@ -0,0 +1,165 @@
"use client";
import { useState } from "react";
import { Group, Task } from "@/lib/api";
interface TaskFormProps {
groups: Group[];
initial?: Partial<Task>;
onSubmit: (data: Partial<Task>) => Promise<void>;
onCancel: () => void;
submitLabel?: string;
}
const STATUSES = [
{ value: "pending", label: "Ceka" },
{ value: "in_progress", label: "Probiha" },
{ value: "done", label: "Hotovo" },
{ value: "cancelled", label: "Zruseno" },
];
const PRIORITIES = [
{ value: "low", label: "Nizka" },
{ value: "medium", label: "Stredni" },
{ value: "high", label: "Vysoka" },
{ value: "urgent", label: "Urgentni" },
];
export default function TaskForm({ groups, initial, onSubmit, onCancel, submitLabel = "Ulozit" }: TaskFormProps) {
const [title, setTitle] = useState(initial?.title || "");
const [description, setDescription] = useState(initial?.description || "");
const [status, setStatus] = useState(initial?.status || "pending");
const [priority, setPriority] = useState(initial?.priority || "medium");
const [groupId, setGroupId] = useState(initial?.group_id || "");
const [dueAt, setDueAt] = useState(initial?.due_at ? initial.due_at.slice(0, 16) : "");
const [loading, setLoading] = useState(false);
const [error, setError] = useState("");
async function handleSubmit(e: React.FormEvent) {
e.preventDefault();
if (!title.trim()) {
setError("Nazev je povinny");
return;
}
setLoading(true);
setError("");
try {
await onSubmit({
title: title.trim(),
description: description.trim(),
status: status as Task["status"],
priority: priority as Task["priority"],
group_id: groupId || null,
due_at: dueAt ? new Date(dueAt).toISOString() : null,
});
} catch (err) {
setError(err instanceof Error ? err.message : "Chyba pri ukladani");
} finally {
setLoading(false);
}
}
return (
<form onSubmit={handleSubmit} className="space-y-4">
{error && (
<div className="bg-red-50 dark:bg-red-900/20 border border-red-200 dark:border-red-800 text-red-700 dark:text-red-300 px-4 py-3 rounded-lg text-sm">
{error}
</div>
)}
<div>
<label className="block text-sm font-medium mb-1">Nazev *</label>
<input
type="text"
value={title}
onChange={(e) => setTitle(e.target.value)}
className="w-full px-3 py-2 border border-gray-300 dark:border-gray-600 rounded-lg bg-white dark:bg-gray-800 focus:ring-2 focus:ring-blue-500 focus:border-transparent outline-none"
placeholder="Co je treba udelat..."
autoFocus
/>
</div>
<div>
<label className="block text-sm font-medium mb-1">Popis</label>
<textarea
value={description}
onChange={(e) => setDescription(e.target.value)}
rows={3}
className="w-full px-3 py-2 border border-gray-300 dark:border-gray-600 rounded-lg bg-white dark:bg-gray-800 focus:ring-2 focus:ring-blue-500 focus:border-transparent outline-none resize-none"
placeholder="Podrobnosti..."
/>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium mb-1">Stav</label>
<select
value={status}
onChange={(e) => setStatus(e.target.value as "pending" | "in_progress" | "done" | "cancelled")}
className="w-full px-3 py-2 border border-gray-300 dark:border-gray-600 rounded-lg bg-white dark:bg-gray-800 focus:ring-2 focus:ring-blue-500 outline-none"
>
{STATUSES.map((s) => (
<option key={s.value} value={s.value}>{s.label}</option>
))}
</select>
</div>
<div>
<label className="block text-sm font-medium mb-1">Priorita</label>
<select
value={priority}
onChange={(e) => setPriority(e.target.value as any)}
className="w-full px-3 py-2 border border-gray-300 dark:border-gray-600 rounded-lg bg-white dark:bg-gray-800 focus:ring-2 focus:ring-blue-500 outline-none"
>
{PRIORITIES.map((p) => (
<option key={p.value} value={p.value}>{p.label}</option>
))}
</select>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium mb-1">Skupina</label>
<select
value={groupId}
onChange={(e) => setGroupId(e.target.value as any)}
className="w-full px-3 py-2 border border-gray-300 dark:border-gray-600 rounded-lg bg-white dark:bg-gray-800 focus:ring-2 focus:ring-blue-500 outline-none"
>
<option value="">-- Bez skupiny --</option>
{groups.map((g) => (
<option key={g.id} value={g.id}>{g.name}</option>
))}
</select>
</div>
<div>
<label className="block text-sm font-medium mb-1">Termin</label>
<input
type="datetime-local"
value={dueAt}
onChange={(e) => setDueAt(e.target.value)}
className="w-full px-3 py-2 border border-gray-300 dark:border-gray-600 rounded-lg bg-white dark:bg-gray-800 focus:ring-2 focus:ring-blue-500 outline-none"
/>
</div>
</div>
<div className="flex gap-3 pt-2">
<button
type="submit"
disabled={loading}
className="flex-1 bg-blue-600 hover:bg-blue-700 text-white font-medium py-2.5 px-4 rounded-lg transition-colors disabled:opacity-50"
>
{loading ? "Ukladam..." : submitLabel}
</button>
<button
type="button"
onClick={onCancel}
className="px-4 py-2.5 border border-gray-300 dark:border-gray-600 rounded-lg hover:bg-gray-50 dark:hover:bg-gray-800 transition-colors"
>
Zrusit
</button>
</div>
</form>
);
}