feat: due dates, subtasks, and task detail page (HQ-{number} URLs)

- Schema: added due_date and subtasks JSONB columns to tasks
- API: CRUD endpoints for subtasks (/tasks/:id/subtasks)
- API: due date support in create/update task
- TaskDetailPanel: due date picker with overdue/soon badges
- TaskDetailPanel: subtask checklist with progress bar
- TaskPage: full-page task view at /task/HQ-{number}
- Dashboard: task cards link to detail page, show subtask progress & due date badges
- Migration: 0001_mighty_callisto.sql
This commit is contained in:
2026-01-29 07:06:59 +00:00
parent f2b477c03d
commit e874cafbec
11 changed files with 1433 additions and 5 deletions

View File

@@ -0,0 +1,493 @@
import { useState, useEffect, useCallback } from "react";
import { useParams, Link } from "react-router-dom";
import type { Task, TaskStatus, Project } from "../lib/types";
import { updateTask, fetchProjects, addProgressNote, addSubtask, toggleSubtask, deleteSubtask } from "../lib/api";
const priorityColors: Record<string, string> = {
critical: "bg-red-500 text-white",
high: "bg-orange-500 text-white",
medium: "bg-blue-500 text-white",
low: "bg-gray-400 text-white",
};
const statusColors: Record<string, string> = {
active: "bg-amber-100 text-amber-800 border-amber-300",
queued: "bg-blue-100 text-blue-800 border-blue-300",
blocked: "bg-red-100 text-red-800 border-red-300",
completed: "bg-green-100 text-green-800 border-green-300",
cancelled: "bg-gray-100 text-gray-600 border-gray-300",
};
const statusIcons: Record<string, string> = {
active: "⚡",
queued: "📋",
blocked: "🚫",
completed: "✅",
cancelled: "❌",
};
const statusActions: Record<string, { label: string; next: TaskStatus; color: string }[]> = {
active: [
{ label: "⏸ Pause", next: "queued", color: "bg-blue-50 text-blue-700 border-blue-200 hover:bg-blue-100" },
{ label: "🚫 Block", next: "blocked", color: "bg-red-50 text-red-700 border-red-200 hover:bg-red-100" },
{ label: "✅ Complete", next: "completed", color: "bg-green-50 text-green-700 border-green-200 hover:bg-green-100" },
],
queued: [
{ label: "▶ Activate", next: "active", color: "bg-amber-50 text-amber-700 border-amber-200 hover:bg-amber-100" },
{ label: "🚫 Block", next: "blocked", color: "bg-red-50 text-red-700 border-red-200 hover:bg-red-100" },
],
blocked: [
{ label: "▶ Activate", next: "active", color: "bg-amber-50 text-amber-700 border-amber-200 hover:bg-amber-100" },
{ label: "📋 Queue", next: "queued", color: "bg-blue-50 text-blue-700 border-blue-200 hover:bg-blue-100" },
],
completed: [{ label: "🔄 Requeue", next: "queued", color: "bg-blue-50 text-blue-700 border-blue-200 hover:bg-blue-100" }],
cancelled: [{ label: "🔄 Requeue", next: "queued", color: "bg-blue-50 text-blue-700 border-blue-200 hover:bg-blue-100" }],
};
function formatDate(dateStr: string): string {
return new Date(dateStr).toLocaleString(undefined, {
month: "short", day: "numeric", year: "numeric",
hour: "2-digit", minute: "2-digit",
});
}
function timeAgo(dateStr: string): string {
const seconds = Math.floor((Date.now() - new Date(dateStr).getTime()) / 1000);
if (seconds < 60) return "just now";
const minutes = Math.floor(seconds / 60);
if (minutes < 60) return `${minutes}m ago`;
const hours = Math.floor(minutes / 60);
if (hours < 24) return `${hours}h ago`;
const days = Math.floor(hours / 24);
return `${days}d ago`;
}
export function TaskPage() {
const { taskRef } = useParams<{ taskRef: string }>();
const [task, setTask] = useState<Task | null>(null);
const [loading, setLoading] = useState(true);
const [error, setError] = useState<string | null>(null);
const [projects, setProjects] = useState<Project[]>([]);
const [noteText, setNoteText] = useState("");
const [addingNote, setAddingNote] = useState(false);
const [newSubtaskTitle, setNewSubtaskTitle] = useState("");
const [addingSubtask, setAddingSubtask] = useState(false);
const [saving, setSaving] = useState(false);
const fetchTask = useCallback(async () => {
if (!taskRef) return;
try {
const res = await fetch(`/api/tasks/${taskRef}`, { credentials: "include" });
if (!res.ok) throw new Error(res.status === 404 ? "Task not found" : "Failed to load task");
const data = await res.json();
setTask(data);
setError(null);
} catch (e: any) {
setError(e.message);
} finally {
setLoading(false);
}
}, [taskRef]);
useEffect(() => {
fetchTask();
fetchProjects().then(setProjects).catch(() => {});
}, [fetchTask]);
// Auto-refresh every 15s
useEffect(() => {
const interval = setInterval(fetchTask, 15000);
return () => clearInterval(interval);
}, [fetchTask]);
const handleStatusChange = async (status: TaskStatus) => {
if (!task) return;
setSaving(true);
try {
await updateTask(task.id, { status });
fetchTask();
} catch (e) {
console.error("Failed to update status:", e);
} finally {
setSaving(false);
}
};
if (loading) {
return (
<div className="min-h-screen flex items-center justify-center text-gray-400">
Loading task...
</div>
);
}
if (error || !task) {
return (
<div className="min-h-screen flex items-center justify-center">
<div className="text-center">
<span className="text-4xl block mb-3">😕</span>
<p className="text-gray-500 mb-4">{error || "Task not found"}</p>
<Link to="/queue" className="text-amber-600 hover:text-amber-700 font-medium text-sm">
Back to Queue
</Link>
</div>
</div>
);
}
const isActive = task.status === "active";
const actions = statusActions[task.status] || [];
const project = projects.find((p) => p.id === task.projectId);
const subtaskProgress = task.subtasks?.length > 0
? Math.round((task.subtasks.filter(s => s.completed).length / task.subtasks.length) * 100)
: 0;
return (
<div className="min-h-screen">
{/* Header */}
<header className={`sticky top-14 md:top-0 z-30 border-b ${isActive ? "bg-gradient-to-r from-amber-50 to-orange-50 border-amber-200" : "bg-white border-gray-200"}`}>
<div className="max-w-4xl mx-auto px-4 sm:px-6 py-4">
<div className="flex items-center gap-2 mb-2">
<Link to="/queue" className="text-sm text-gray-400 hover:text-gray-600 transition">
Queue
</Link>
<span className="text-gray-300">/</span>
<span className="text-xs font-bold text-amber-700 bg-amber-100 px-2 py-0.5 rounded font-mono">
HQ-{task.taskNumber}
</span>
</div>
<div className="flex items-start justify-between gap-4">
<div className="flex-1 min-w-0">
<div className="flex items-center gap-2 mb-1 flex-wrap">
{isActive && (
<span className="relative flex h-3 w-3">
<span className="animate-ping absolute inline-flex h-full w-full rounded-full bg-amber-400 opacity-75"></span>
<span className="relative inline-flex rounded-full h-3 w-3 bg-amber-500"></span>
</span>
)}
<span className={`text-xs px-2.5 py-1 rounded-full font-semibold border ${statusColors[task.status]}`}>
{statusIcons[task.status]} {task.status.toUpperCase()}
</span>
<span className={`text-xs px-2 py-0.5 rounded-full font-medium ${priorityColors[task.priority]}`}>
{task.priority}
</span>
{project && (
<span className="text-xs text-gray-500 bg-gray-100 px-2 py-0.5 rounded">
📁 {project.name}
</span>
)}
</div>
<h1 className="text-xl font-bold text-gray-900">{task.title}</h1>
</div>
{/* Status Actions */}
<div className="flex gap-2 shrink-0">
{actions.map((action) => (
<button
key={action.next}
onClick={() => handleStatusChange(action.next)}
disabled={saving}
className={`text-sm px-3 py-1.5 rounded-lg border font-medium transition ${action.color} disabled:opacity-50`}
>
{action.label}
</button>
))}
</div>
</div>
{/* Due date badge */}
{task.dueDate && (() => {
const due = new Date(task.dueDate);
const now = new Date();
const diffMs = due.getTime() - now.getTime();
const diffDays = Math.ceil(diffMs / (1000 * 60 * 60 * 24));
const isOverdue = diffMs < 0;
const isDueSoon = diffDays <= 2 && !isOverdue;
return (
<div className="mt-2 flex items-center gap-2">
<span className="text-xs text-gray-500">📅 Due:</span>
<span className={`text-xs font-medium px-2 py-0.5 rounded-full ${
isOverdue ? "bg-red-100 text-red-700" : isDueSoon ? "bg-amber-100 text-amber-700" : "bg-gray-100 text-gray-600"
}`}>
{formatDate(task.dueDate)} ({isOverdue ? `${Math.abs(diffDays)}d overdue` : diffDays === 0 ? "today" : diffDays === 1 ? "tomorrow" : `${diffDays}d left`})
</span>
</div>
);
})()}
</div>
</header>
<div className="max-w-4xl mx-auto px-4 sm:px-6 py-6">
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6">
{/* Main content */}
<div className="lg:col-span-2 space-y-6">
{/* Description */}
<div className="bg-white rounded-xl border border-gray-200 shadow-sm p-5">
<h2 className="text-sm font-semibold text-gray-400 uppercase tracking-wider mb-3">Description</h2>
<p className="text-sm text-gray-700 leading-relaxed whitespace-pre-wrap">
{task.description || <span className="text-gray-400 italic">No description</span>}
</p>
</div>
{/* Subtasks */}
<div className="bg-white rounded-xl border border-gray-200 shadow-sm p-5">
<div className="flex items-center justify-between mb-3">
<h2 className="text-sm font-semibold text-gray-400 uppercase tracking-wider">
Subtasks {task.subtasks?.length > 0 && (
<span className="text-gray-300 ml-1">({task.subtasks.filter(s => s.completed).length}/{task.subtasks.length})</span>
)}
</h2>
{task.subtasks?.length > 0 && (
<span className="text-xs text-gray-400">{subtaskProgress}%</span>
)}
</div>
{/* Progress bar */}
{task.subtasks?.length > 0 && (
<div className="mb-4">
<div className="w-full bg-gray-200 rounded-full h-2">
<div
className="bg-green-500 h-2 rounded-full transition-all duration-300"
style={{ width: `${subtaskProgress}%` }}
/>
</div>
</div>
)}
{/* Subtask items */}
{task.subtasks?.length > 0 && (
<div className="space-y-1 mb-4">
{task.subtasks.map((subtask) => (
<div key={subtask.id} className="flex items-center gap-3 group py-1.5 px-2 rounded-lg hover:bg-gray-50 transition">
<button
onClick={async () => {
try {
await toggleSubtask(task.id, subtask.id, !subtask.completed);
fetchTask();
} catch (e) {
console.error("Failed to toggle subtask:", e);
}
}}
className={`w-5 h-5 rounded border-2 flex items-center justify-center shrink-0 transition ${
subtask.completed
? "bg-green-500 border-green-500 text-white"
: "border-gray-300 hover:border-amber-400"
}`}
>
{subtask.completed && (
<svg className="w-3 h-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={3} d="M5 13l4 4L19 7" />
</svg>
)}
</button>
<span className={`text-sm flex-1 ${subtask.completed ? "line-through text-gray-400" : "text-gray-700"}`}>
{subtask.title}
</span>
<button
onClick={async () => {
try {
await deleteSubtask(task.id, subtask.id);
fetchTask();
} catch (e) {
console.error("Failed to delete subtask:", e);
}
}}
className="opacity-0 group-hover:opacity-100 text-gray-300 hover:text-red-400 transition p-0.5"
>
<svg className="w-3.5 h-3.5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M6 18L18 6M6 6l12 12" />
</svg>
</button>
</div>
))}
</div>
)}
{/* Add subtask */}
<div className="flex gap-2">
<input
type="text"
value={newSubtaskTitle}
onChange={(e) => setNewSubtaskTitle(e.target.value)}
placeholder="Add a subtask..."
className="flex-1 text-sm border border-gray-200 rounded-lg px-3 py-2 focus:outline-none focus:ring-2 focus:ring-amber-200 focus:border-amber-300"
onKeyDown={async (e) => {
if (e.key === "Enter" && newSubtaskTitle.trim()) {
setAddingSubtask(true);
try {
await addSubtask(task.id, newSubtaskTitle.trim());
setNewSubtaskTitle("");
fetchTask();
} catch (err) {
console.error("Failed to add subtask:", err);
} finally {
setAddingSubtask(false);
}
}
}}
disabled={addingSubtask}
/>
<button
onClick={async () => {
if (!newSubtaskTitle.trim()) return;
setAddingSubtask(true);
try {
await addSubtask(task.id, newSubtaskTitle.trim());
setNewSubtaskTitle("");
fetchTask();
} catch (err) {
console.error("Failed to add subtask:", err);
} finally {
setAddingSubtask(false);
}
}}
disabled={!newSubtaskTitle.trim() || addingSubtask}
className="px-4 py-2 bg-amber-500 text-white text-sm rounded-lg font-medium hover:bg-amber-600 transition disabled:opacity-50 disabled:cursor-not-allowed shrink-0"
>
{addingSubtask ? "..." : "+ Add"}
</button>
</div>
</div>
{/* Progress Notes */}
<div className="bg-white rounded-xl border border-gray-200 shadow-sm p-5">
<h2 className="text-sm font-semibold text-gray-400 uppercase tracking-wider mb-3">
Progress Notes {task.progressNotes?.length > 0 && (
<span className="text-gray-300 ml-1">({task.progressNotes.length})</span>
)}
</h2>
{/* Add note */}
<div className="mb-4">
<div className="flex gap-2">
<textarea
value={noteText}
onChange={(e) => setNoteText(e.target.value)}
placeholder="Add a progress note..."
rows={2}
className="flex-1 text-sm border border-gray-200 rounded-lg px-3 py-2 focus:outline-none focus:ring-2 focus:ring-amber-200 focus:border-amber-300 resize-y min-h-[40px] max-h-32"
onKeyDown={(e) => {
if (e.key === "Enter" && (e.metaKey || e.ctrlKey)) {
e.preventDefault();
if (noteText.trim()) {
setAddingNote(true);
addProgressNote(task.id, noteText.trim())
.then(() => { setNoteText(""); fetchTask(); })
.catch((err) => console.error("Failed to add note:", err))
.finally(() => setAddingNote(false));
}
}
}}
/>
<button
onClick={() => {
if (!noteText.trim()) return;
setAddingNote(true);
addProgressNote(task.id, noteText.trim())
.then(() => { setNoteText(""); fetchTask(); })
.catch((err) => console.error("Failed to add note:", err))
.finally(() => setAddingNote(false));
}}
disabled={!noteText.trim() || addingNote}
className="self-end px-4 py-2 bg-amber-500 text-white text-sm rounded-lg font-medium hover:bg-amber-600 transition disabled:opacity-50 disabled:cursor-not-allowed shrink-0"
>
{addingNote ? "..." : "Add"}
</button>
</div>
<p className="text-[10px] text-gray-400 mt-1">+Enter to submit</p>
</div>
{/* Notes list */}
{!task.progressNotes || task.progressNotes.length === 0 ? (
<div className="text-sm text-gray-400 italic py-6 text-center border-2 border-dashed border-gray-100 rounded-lg">
No progress notes yet
</div>
) : (
<div className="space-y-0">
{task.progressNotes
.slice()
.reverse()
.map((note, i) => (
<div key={i} className="relative pl-6 pb-4 last:pb-0 group">
{i < task.progressNotes.length - 1 && (
<div className="absolute left-[9px] top-3 bottom-0 w-0.5 bg-gray-200 group-last:hidden" />
)}
<div className={`absolute left-0 top-1 w-[18px] h-[18px] rounded-full border-2 flex items-center justify-center ${
i === 0 && isActive ? "border-amber-400 bg-amber-50" : "border-gray-300 bg-white"
}`}>
<div className={`w-2 h-2 rounded-full ${i === 0 && isActive ? "bg-amber-500" : "bg-gray-300"}`} />
</div>
<div>
<p className="text-sm text-gray-700 leading-relaxed">{note.note}</p>
<p className="text-xs text-gray-400 mt-0.5">{formatDate(note.timestamp)} · {timeAgo(note.timestamp)}</p>
</div>
</div>
))}
</div>
)}
</div>
</div>
{/* Sidebar */}
<div className="space-y-4">
{/* Meta */}
<div className="bg-white rounded-xl border border-gray-200 shadow-sm p-4">
<h3 className="text-xs font-semibold text-gray-400 uppercase tracking-wider mb-3">Details</h3>
<div className="space-y-3 text-sm">
<div className="flex justify-between">
<span className="text-gray-500">Source</span>
<span className="text-gray-700 font-medium capitalize">{task.source}</span>
</div>
{task.assigneeName && (
<div className="flex justify-between">
<span className="text-gray-500">Assignee</span>
<span className="text-gray-700 font-medium">{task.assigneeName}</span>
</div>
)}
{project && (
<div className="flex justify-between">
<span className="text-gray-500">Project</span>
<span className="text-gray-700 font-medium">{project.name}</span>
</div>
)}
<div className="flex justify-between">
<span className="text-gray-500">Created</span>
<span className="text-gray-700 text-xs">{timeAgo(task.createdAt)}</span>
</div>
{task.updatedAt !== task.createdAt && (
<div className="flex justify-between">
<span className="text-gray-500">Updated</span>
<span className="text-gray-700 text-xs">{timeAgo(task.updatedAt)}</span>
</div>
)}
{task.completedAt && (
<div className="flex justify-between">
<span className="text-gray-500">Completed</span>
<span className="text-gray-700 text-xs">{timeAgo(task.completedAt)}</span>
</div>
)}
</div>
</div>
{/* Quick link */}
<div className="bg-white rounded-xl border border-gray-200 shadow-sm p-4">
<h3 className="text-xs font-semibold text-gray-400 uppercase tracking-wider mb-2">Share</h3>
<div className="flex items-center gap-2">
<code className="text-xs text-gray-500 font-mono bg-gray-50 px-2 py-1 rounded flex-1 truncate">
/task/HQ-{task.taskNumber}
</code>
<button
onClick={() => {
const url = `${window.location.origin}/task/HQ-${task.taskNumber}`;
navigator.clipboard.writeText(url);
}}
className="text-xs px-2 py-1 bg-gray-100 rounded hover:bg-gray-200 transition"
>
📋
</button>
</div>
</div>
</div>
</div>
</div>
</div>
);
}