2719 lines
98 KiB
TypeScript
2719 lines
98 KiB
TypeScript
"use client";
|
|
|
|
import { memo, useCallback, useEffect, useMemo, useRef, useState } from "react";
|
|
import { useParams, useRouter, useSearchParams } from "next/navigation";
|
|
|
|
import { SignInButton, SignedIn, SignedOut, useAuth } from "@clerk/nextjs";
|
|
import {
|
|
Activity,
|
|
ArrowUpRight,
|
|
MessageSquare,
|
|
Pencil,
|
|
Settings,
|
|
X,
|
|
} from "lucide-react";
|
|
|
|
import { Markdown } from "@/components/atoms/Markdown";
|
|
import { DashboardSidebar } from "@/components/organisms/DashboardSidebar";
|
|
import { TaskBoard } from "@/components/organisms/TaskBoard";
|
|
import { DashboardShell } from "@/components/templates/DashboardShell";
|
|
import { BoardChatComposer } from "@/components/BoardChatComposer";
|
|
import { Button } from "@/components/ui/button";
|
|
import {
|
|
Dialog,
|
|
DialogContent,
|
|
DialogDescription,
|
|
DialogFooter,
|
|
DialogHeader,
|
|
DialogTitle,
|
|
} from "@/components/ui/dialog";
|
|
import { Input } from "@/components/ui/input";
|
|
import DropdownSelect, {
|
|
type DropdownSelectOption,
|
|
} from "@/components/ui/dropdown-select";
|
|
import {
|
|
Select,
|
|
SelectContent,
|
|
SelectItem,
|
|
SelectTrigger,
|
|
SelectValue,
|
|
} from "@/components/ui/select";
|
|
import { Textarea } from "@/components/ui/textarea";
|
|
import { streamAgentsApiV1AgentsStreamGet } from "@/api/generated/agents/agents";
|
|
import {
|
|
streamApprovalsApiV1BoardsBoardIdApprovalsStreamGet,
|
|
updateApprovalApiV1BoardsBoardIdApprovalsApprovalIdPatch,
|
|
} from "@/api/generated/approvals/approvals";
|
|
import { getBoardSnapshotApiV1BoardsBoardIdSnapshotGet } from "@/api/generated/boards/boards";
|
|
import {
|
|
createBoardMemoryApiV1BoardsBoardIdMemoryPost,
|
|
streamBoardMemoryApiV1BoardsBoardIdMemoryStreamGet,
|
|
} from "@/api/generated/board-memory/board-memory";
|
|
import {
|
|
createTaskApiV1BoardsBoardIdTasksPost,
|
|
createTaskCommentApiV1BoardsBoardIdTasksTaskIdCommentsPost,
|
|
deleteTaskApiV1BoardsBoardIdTasksTaskIdDelete,
|
|
listTaskCommentsApiV1BoardsBoardIdTasksTaskIdCommentsGet,
|
|
streamTasksApiV1BoardsBoardIdTasksStreamGet,
|
|
updateTaskApiV1BoardsBoardIdTasksTaskIdPatch,
|
|
} from "@/api/generated/tasks/tasks";
|
|
import type {
|
|
AgentRead,
|
|
ApprovalRead,
|
|
BoardMemoryRead,
|
|
BoardRead,
|
|
TaskCardRead,
|
|
TaskCommentRead,
|
|
TaskRead,
|
|
} from "@/api/generated/model";
|
|
import { createExponentialBackoff } from "@/lib/backoff";
|
|
import { apiDatetimeToMs, parseApiDatetime } from "@/lib/datetime";
|
|
import { cn } from "@/lib/utils";
|
|
|
|
type Board = BoardRead;
|
|
|
|
type TaskStatus = Exclude<TaskCardRead["status"], undefined>;
|
|
|
|
type Task = Omit<
|
|
TaskCardRead,
|
|
"status" | "priority" | "approvals_count" | "approvals_pending_count"
|
|
> & {
|
|
status: TaskStatus;
|
|
priority: string;
|
|
approvals_count: number;
|
|
approvals_pending_count: number;
|
|
};
|
|
|
|
type Agent = AgentRead & { status: string };
|
|
|
|
type TaskComment = TaskCommentRead;
|
|
|
|
type Approval = ApprovalRead & { status: string };
|
|
|
|
type BoardChatMessage = BoardMemoryRead;
|
|
|
|
const normalizeTask = (task: TaskCardRead): Task => ({
|
|
...task,
|
|
status: task.status ?? "inbox",
|
|
priority: task.priority ?? "medium",
|
|
approvals_count: task.approvals_count ?? 0,
|
|
approvals_pending_count: task.approvals_pending_count ?? 0,
|
|
});
|
|
|
|
const normalizeAgent = (agent: AgentRead): Agent => ({
|
|
...agent,
|
|
status: agent.status ?? "offline",
|
|
});
|
|
|
|
const normalizeApproval = (approval: ApprovalRead): Approval => ({
|
|
...approval,
|
|
status: approval.status ?? "pending",
|
|
});
|
|
|
|
const priorities = [
|
|
{ value: "low", label: "Low" },
|
|
{ value: "medium", label: "Medium" },
|
|
{ value: "high", label: "High" },
|
|
];
|
|
const statusOptions = [
|
|
{ value: "inbox", label: "Inbox" },
|
|
{ value: "in_progress", label: "In progress" },
|
|
{ value: "review", label: "Review" },
|
|
{ value: "done", label: "Done" },
|
|
];
|
|
|
|
const EMOJI_GLYPHS: Record<string, string> = {
|
|
":gear:": "⚙️",
|
|
":sparkles:": "✨",
|
|
":rocket:": "🚀",
|
|
":megaphone:": "📣",
|
|
":chart_with_upwards_trend:": "📈",
|
|
":bulb:": "💡",
|
|
":wrench:": "🔧",
|
|
":shield:": "🛡️",
|
|
":memo:": "📝",
|
|
":brain:": "🧠",
|
|
};
|
|
|
|
const SSE_RECONNECT_BACKOFF = {
|
|
baseMs: 1_000,
|
|
factor: 2,
|
|
jitter: 0.2,
|
|
maxMs: 5 * 60_000,
|
|
} as const;
|
|
|
|
const formatShortTimestamp = (value: string) => {
|
|
const date = parseApiDatetime(value);
|
|
if (!date) return "—";
|
|
return date.toLocaleString(undefined, {
|
|
month: "short",
|
|
day: "numeric",
|
|
hour: "2-digit",
|
|
minute: "2-digit",
|
|
});
|
|
};
|
|
|
|
const TaskCommentCard = memo(function TaskCommentCard({
|
|
comment,
|
|
authorLabel,
|
|
}: {
|
|
comment: TaskComment;
|
|
authorLabel: string;
|
|
}) {
|
|
const message = (comment.message ?? "").trim();
|
|
return (
|
|
<div className="rounded-xl border border-slate-200 bg-white p-3">
|
|
<div className="flex items-center justify-between text-xs text-slate-500">
|
|
<span>{authorLabel}</span>
|
|
<span>{formatShortTimestamp(comment.created_at)}</span>
|
|
</div>
|
|
{message ? (
|
|
<div className="mt-2 select-text cursor-text text-sm leading-relaxed text-slate-900 break-words">
|
|
<Markdown content={message} variant="comment" />
|
|
</div>
|
|
) : (
|
|
<p className="mt-2 text-sm text-slate-900">—</p>
|
|
)}
|
|
</div>
|
|
);
|
|
});
|
|
|
|
TaskCommentCard.displayName = "TaskCommentCard";
|
|
|
|
const ChatMessageCard = memo(function ChatMessageCard({
|
|
message,
|
|
}: {
|
|
message: BoardChatMessage;
|
|
}) {
|
|
return (
|
|
<div className="rounded-2xl border border-slate-200 bg-slate-50/60 p-4">
|
|
<div className="flex flex-wrap items-center justify-between gap-2">
|
|
<p className="text-sm font-semibold text-slate-900">
|
|
{message.source ?? "User"}
|
|
</p>
|
|
<span className="text-xs text-slate-400">
|
|
{formatShortTimestamp(message.created_at)}
|
|
</span>
|
|
</div>
|
|
<div className="mt-2 select-text cursor-text text-sm leading-relaxed text-slate-900 break-words">
|
|
<Markdown content={message.content} variant="basic" />
|
|
</div>
|
|
</div>
|
|
);
|
|
});
|
|
|
|
ChatMessageCard.displayName = "ChatMessageCard";
|
|
|
|
const LiveFeedCard = memo(function LiveFeedCard({
|
|
comment,
|
|
taskTitle,
|
|
authorName,
|
|
authorRole,
|
|
authorAvatar,
|
|
onViewTask,
|
|
}: {
|
|
comment: TaskComment;
|
|
taskTitle: string;
|
|
authorName: string;
|
|
authorRole?: string | null;
|
|
authorAvatar: string;
|
|
onViewTask?: () => void;
|
|
}) {
|
|
const message = (comment.message ?? "").trim();
|
|
return (
|
|
<div className="rounded-xl border border-slate-200 bg-white p-3 transition hover:border-slate-300">
|
|
<div className="flex items-start gap-3">
|
|
<div className="flex h-9 w-9 flex-shrink-0 items-center justify-center rounded-full bg-slate-100 text-xs font-semibold text-slate-700">
|
|
{authorAvatar}
|
|
</div>
|
|
<div className="min-w-0 flex-1">
|
|
<div className="flex items-start justify-between gap-2">
|
|
<button
|
|
type="button"
|
|
onClick={onViewTask}
|
|
disabled={!onViewTask}
|
|
className={cn(
|
|
"text-left text-sm font-semibold leading-snug text-slate-900",
|
|
onViewTask
|
|
? "cursor-pointer transition hover:text-slate-950 hover:underline"
|
|
: "cursor-default",
|
|
)}
|
|
title={taskTitle}
|
|
style={{
|
|
display: "-webkit-box",
|
|
WebkitLineClamp: 2,
|
|
WebkitBoxOrient: "vertical",
|
|
overflow: "hidden",
|
|
}}
|
|
>
|
|
{taskTitle}
|
|
</button>
|
|
{onViewTask ? (
|
|
<button
|
|
type="button"
|
|
onClick={onViewTask}
|
|
className="inline-flex flex-shrink-0 items-center gap-1 rounded-md px-2 py-1 text-[11px] font-semibold text-slate-600 transition hover:bg-slate-50 hover:text-slate-900"
|
|
aria-label="View task"
|
|
>
|
|
View task
|
|
<ArrowUpRight className="h-3 w-3" />
|
|
</button>
|
|
) : null}
|
|
</div>
|
|
<div className="mt-1 flex flex-wrap items-center gap-x-2 gap-y-1 text-[11px] text-slate-500">
|
|
<span className="font-medium text-slate-700">{authorName}</span>
|
|
{authorRole ? (
|
|
<>
|
|
<span className="text-slate-300">·</span>
|
|
<span className="text-slate-500">{authorRole}</span>
|
|
</>
|
|
) : null}
|
|
<span className="text-slate-300">·</span>
|
|
<span className="text-slate-400">
|
|
{formatShortTimestamp(comment.created_at)}
|
|
</span>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
{message ? (
|
|
<div className="mt-3 select-text cursor-text text-sm leading-relaxed text-slate-900 break-words">
|
|
<Markdown content={message} variant="basic" />
|
|
</div>
|
|
) : (
|
|
<p className="mt-3 text-sm text-slate-500">—</p>
|
|
)}
|
|
</div>
|
|
);
|
|
});
|
|
|
|
LiveFeedCard.displayName = "LiveFeedCard";
|
|
|
|
export default function BoardDetailPage() {
|
|
const router = useRouter();
|
|
const params = useParams();
|
|
const searchParams = useSearchParams();
|
|
const boardIdParam = params?.boardId;
|
|
const boardId = Array.isArray(boardIdParam) ? boardIdParam[0] : boardIdParam;
|
|
const { isSignedIn } = useAuth();
|
|
const taskIdFromUrl = searchParams.get("taskId");
|
|
|
|
const [board, setBoard] = useState<Board | null>(null);
|
|
const [tasks, setTasks] = useState<Task[]>([]);
|
|
const [agents, setAgents] = useState<Agent[]>([]);
|
|
const [isLoading, setIsLoading] = useState(false);
|
|
const [error, setError] = useState<string | null>(null);
|
|
const [selectedTask, setSelectedTask] = useState<Task | null>(null);
|
|
const selectedTaskIdRef = useRef<string | null>(null);
|
|
const openedTaskIdFromUrlRef = useRef<string | null>(null);
|
|
const [comments, setComments] = useState<TaskComment[]>([]);
|
|
const [liveFeed, setLiveFeed] = useState<TaskComment[]>([]);
|
|
const [isCommentsLoading, setIsCommentsLoading] = useState(false);
|
|
const [commentsError, setCommentsError] = useState<string | null>(null);
|
|
const [newComment, setNewComment] = useState("");
|
|
const [isPostingComment, setIsPostingComment] = useState(false);
|
|
const [postCommentError, setPostCommentError] = useState<string | null>(null);
|
|
const [isDetailOpen, setIsDetailOpen] = useState(false);
|
|
const tasksRef = useRef<Task[]>([]);
|
|
const approvalsRef = useRef<Approval[]>([]);
|
|
const agentsRef = useRef<Agent[]>([]);
|
|
const [isEditDialogOpen, setIsEditDialogOpen] = useState(false);
|
|
const [isDeleteDialogOpen, setIsDeleteDialogOpen] = useState(false);
|
|
|
|
const [approvals, setApprovals] = useState<Approval[]>([]);
|
|
const [isApprovalsLoading, setIsApprovalsLoading] = useState(false);
|
|
const [approvalsError, setApprovalsError] = useState<string | null>(null);
|
|
const [approvalsUpdatingId, setApprovalsUpdatingId] = useState<string | null>(
|
|
null,
|
|
);
|
|
const [isChatOpen, setIsChatOpen] = useState(false);
|
|
const [chatMessages, setChatMessages] = useState<BoardChatMessage[]>([]);
|
|
const [isChatSending, setIsChatSending] = useState(false);
|
|
const [chatError, setChatError] = useState<string | null>(null);
|
|
const chatMessagesRef = useRef<BoardChatMessage[]>([]);
|
|
const chatEndRef = useRef<HTMLDivElement | null>(null);
|
|
const [isDeletingTask, setIsDeletingTask] = useState(false);
|
|
const [deleteTaskError, setDeleteTaskError] = useState<string | null>(null);
|
|
const [viewMode, setViewMode] = useState<"board" | "list">("board");
|
|
const [isLiveFeedOpen, setIsLiveFeedOpen] = useState(false);
|
|
const pushLiveFeed = useCallback((comment: TaskComment) => {
|
|
setLiveFeed((prev) => {
|
|
if (prev.some((item) => item.id === comment.id)) {
|
|
return prev;
|
|
}
|
|
const next = [comment, ...prev];
|
|
return next.slice(0, 50);
|
|
});
|
|
}, []);
|
|
|
|
const [isDialogOpen, setIsDialogOpen] = useState(false);
|
|
const [title, setTitle] = useState("");
|
|
const [description, setDescription] = useState("");
|
|
const [priority, setPriority] = useState("medium");
|
|
const [createError, setCreateError] = useState<string | null>(null);
|
|
const [isCreating, setIsCreating] = useState(false);
|
|
|
|
const [editTitle, setEditTitle] = useState("");
|
|
const [editDescription, setEditDescription] = useState("");
|
|
const [editStatus, setEditStatus] = useState<TaskStatus>("inbox");
|
|
const [editPriority, setEditPriority] = useState("medium");
|
|
const [editAssigneeId, setEditAssigneeId] = useState("");
|
|
const [editDependsOnTaskIds, setEditDependsOnTaskIds] = useState<string[]>(
|
|
[],
|
|
);
|
|
const [isSavingTask, setIsSavingTask] = useState(false);
|
|
const [saveTaskError, setSaveTaskError] = useState<string | null>(null);
|
|
|
|
const isSidePanelOpen = isDetailOpen || isChatOpen || isLiveFeedOpen;
|
|
|
|
const titleLabel = useMemo(
|
|
() => (board ? `${board.name} board` : "Board"),
|
|
[board],
|
|
);
|
|
|
|
useEffect(() => {
|
|
if (!isSidePanelOpen) return;
|
|
|
|
const { body, documentElement } = document;
|
|
const originalHtmlOverflow = documentElement.style.overflow;
|
|
const originalBodyOverflow = body.style.overflow;
|
|
const originalBodyPaddingRight = body.style.paddingRight;
|
|
|
|
const scrollbarWidth = window.innerWidth - documentElement.clientWidth;
|
|
|
|
documentElement.style.overflow = "hidden";
|
|
body.style.overflow = "hidden";
|
|
if (scrollbarWidth > 0) {
|
|
body.style.paddingRight = `${scrollbarWidth}px`;
|
|
}
|
|
|
|
return () => {
|
|
documentElement.style.overflow = originalHtmlOverflow;
|
|
body.style.overflow = originalBodyOverflow;
|
|
body.style.paddingRight = originalBodyPaddingRight;
|
|
};
|
|
}, [isSidePanelOpen]);
|
|
|
|
const latestTaskTimestamp = (items: Task[]) => {
|
|
let latestTime = 0;
|
|
items.forEach((task) => {
|
|
const value = task.updated_at ?? task.created_at;
|
|
if (!value) return;
|
|
const time = apiDatetimeToMs(value);
|
|
if (time !== null && time > latestTime) {
|
|
latestTime = time;
|
|
}
|
|
});
|
|
return latestTime ? new Date(latestTime).toISOString() : null;
|
|
};
|
|
|
|
const latestApprovalTimestamp = (items: Approval[]) => {
|
|
let latestTime = 0;
|
|
items.forEach((approval) => {
|
|
const value = approval.resolved_at ?? approval.created_at;
|
|
if (!value) return;
|
|
const time = apiDatetimeToMs(value);
|
|
if (time !== null && time > latestTime) {
|
|
latestTime = time;
|
|
}
|
|
});
|
|
return latestTime ? new Date(latestTime).toISOString() : null;
|
|
};
|
|
|
|
const latestAgentTimestamp = (items: Agent[]) => {
|
|
let latestTime = 0;
|
|
items.forEach((agent) => {
|
|
const value = agent.updated_at ?? agent.last_seen_at;
|
|
if (!value) return;
|
|
const time = apiDatetimeToMs(value);
|
|
if (time !== null && time > latestTime) {
|
|
latestTime = time;
|
|
}
|
|
});
|
|
return latestTime ? new Date(latestTime).toISOString() : null;
|
|
};
|
|
|
|
const loadBoard = useCallback(async () => {
|
|
if (!isSignedIn || !boardId) return;
|
|
setIsLoading(true);
|
|
setIsApprovalsLoading(true);
|
|
setError(null);
|
|
setApprovalsError(null);
|
|
setChatError(null);
|
|
try {
|
|
const snapshotResult =
|
|
await getBoardSnapshotApiV1BoardsBoardIdSnapshotGet(boardId);
|
|
if (snapshotResult.status !== 200) {
|
|
throw new Error("Unable to load board snapshot.");
|
|
}
|
|
const snapshot = snapshotResult.data;
|
|
setBoard(snapshot.board);
|
|
setTasks((snapshot.tasks ?? []).map(normalizeTask));
|
|
setAgents((snapshot.agents ?? []).map(normalizeAgent));
|
|
setApprovals((snapshot.approvals ?? []).map(normalizeApproval));
|
|
setChatMessages(snapshot.chat_messages ?? []);
|
|
} catch (err) {
|
|
const message =
|
|
err instanceof Error ? err.message : "Something went wrong.";
|
|
setError(message);
|
|
setApprovalsError(message);
|
|
setChatError(message);
|
|
} finally {
|
|
setIsLoading(false);
|
|
setIsApprovalsLoading(false);
|
|
}
|
|
}, [boardId, isSignedIn]);
|
|
|
|
useEffect(() => {
|
|
void loadBoard();
|
|
}, [loadBoard]);
|
|
|
|
useEffect(() => {
|
|
tasksRef.current = tasks;
|
|
}, [tasks]);
|
|
|
|
useEffect(() => {
|
|
approvalsRef.current = approvals;
|
|
}, [approvals]);
|
|
|
|
useEffect(() => {
|
|
agentsRef.current = agents;
|
|
}, [agents]);
|
|
|
|
useEffect(() => {
|
|
selectedTaskIdRef.current = selectedTask?.id ?? null;
|
|
}, [selectedTask?.id]);
|
|
|
|
useEffect(() => {
|
|
chatMessagesRef.current = chatMessages;
|
|
}, [chatMessages]);
|
|
|
|
useEffect(() => {
|
|
if (!isChatOpen) return;
|
|
const timeout = window.setTimeout(() => {
|
|
chatEndRef.current?.scrollIntoView({ behavior: "smooth", block: "end" });
|
|
}, 50);
|
|
return () => window.clearTimeout(timeout);
|
|
}, [chatMessages, isChatOpen]);
|
|
|
|
const latestChatTimestamp = (items: BoardChatMessage[]) => {
|
|
if (!items.length) return undefined;
|
|
const latest = items.reduce((max, item) => {
|
|
const ts = apiDatetimeToMs(item.created_at);
|
|
return ts === null ? max : Math.max(max, ts);
|
|
}, 0);
|
|
if (!latest) return undefined;
|
|
return new Date(latest).toISOString();
|
|
};
|
|
|
|
useEffect(() => {
|
|
if (!isSignedIn || !boardId || !board) return;
|
|
let isCancelled = false;
|
|
const abortController = new AbortController();
|
|
const backoff = createExponentialBackoff(SSE_RECONNECT_BACKOFF);
|
|
let reconnectTimeout: number | undefined;
|
|
|
|
const connect = async () => {
|
|
try {
|
|
const since = latestChatTimestamp(chatMessagesRef.current);
|
|
const params = { is_chat: true, ...(since ? { since } : {}) };
|
|
const streamResult =
|
|
await streamBoardMemoryApiV1BoardsBoardIdMemoryStreamGet(
|
|
boardId,
|
|
params,
|
|
{
|
|
headers: { Accept: "text/event-stream" },
|
|
signal: abortController.signal,
|
|
},
|
|
);
|
|
if (streamResult.status !== 200) {
|
|
throw new Error("Unable to connect board chat stream.");
|
|
}
|
|
const response = streamResult.data as Response;
|
|
if (!(response instanceof Response) || !response.body) {
|
|
throw new Error("Unable to connect board chat stream.");
|
|
}
|
|
const reader = response.body.getReader();
|
|
const decoder = new TextDecoder();
|
|
let buffer = "";
|
|
|
|
while (!isCancelled) {
|
|
const { value, done } = await reader.read();
|
|
if (done) break;
|
|
if (value && value.length) {
|
|
// Consider the stream "healthy" once we receive any bytes (including pings),
|
|
// then reset the backoff for future reconnects.
|
|
backoff.reset();
|
|
}
|
|
buffer += decoder.decode(value, { stream: true });
|
|
buffer = buffer.replace(/\r\n/g, "\n");
|
|
let boundary = buffer.indexOf("\n\n");
|
|
while (boundary !== -1) {
|
|
const raw = buffer.slice(0, boundary);
|
|
buffer = buffer.slice(boundary + 2);
|
|
const lines = raw.split("\n");
|
|
let eventType = "message";
|
|
let data = "";
|
|
for (const line of lines) {
|
|
if (line.startsWith("event:")) {
|
|
eventType = line.slice(6).trim();
|
|
} else if (line.startsWith("data:")) {
|
|
data += line.slice(5).trim();
|
|
}
|
|
}
|
|
if (eventType === "memory" && data) {
|
|
try {
|
|
const payload = JSON.parse(data) as {
|
|
memory?: BoardChatMessage;
|
|
};
|
|
if (payload.memory?.tags?.includes("chat")) {
|
|
setChatMessages((prev) => {
|
|
const exists = prev.some(
|
|
(item) => item.id === payload.memory?.id,
|
|
);
|
|
if (exists) return prev;
|
|
const next = [...prev, payload.memory as BoardChatMessage];
|
|
next.sort((a, b) => {
|
|
const aTime = apiDatetimeToMs(a.created_at) ?? 0;
|
|
const bTime = apiDatetimeToMs(b.created_at) ?? 0;
|
|
return aTime - bTime;
|
|
});
|
|
return next;
|
|
});
|
|
}
|
|
} catch {
|
|
// ignore malformed
|
|
}
|
|
}
|
|
boundary = buffer.indexOf("\n\n");
|
|
}
|
|
}
|
|
} catch {
|
|
// Reconnect handled below.
|
|
}
|
|
|
|
if (!isCancelled) {
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
const delay = backoff.nextDelayMs();
|
|
reconnectTimeout = window.setTimeout(() => {
|
|
reconnectTimeout = undefined;
|
|
void connect();
|
|
}, delay);
|
|
}
|
|
};
|
|
|
|
void connect();
|
|
return () => {
|
|
isCancelled = true;
|
|
abortController.abort();
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
};
|
|
}, [board, boardId, isSignedIn]);
|
|
|
|
useEffect(() => {
|
|
if (!isSignedIn || !boardId || !board) return;
|
|
let isCancelled = false;
|
|
const abortController = new AbortController();
|
|
const backoff = createExponentialBackoff(SSE_RECONNECT_BACKOFF);
|
|
let reconnectTimeout: number | undefined;
|
|
|
|
const connect = async () => {
|
|
try {
|
|
const since = latestApprovalTimestamp(approvalsRef.current);
|
|
const streamResult =
|
|
await streamApprovalsApiV1BoardsBoardIdApprovalsStreamGet(
|
|
boardId,
|
|
since ? { since } : undefined,
|
|
{
|
|
headers: { Accept: "text/event-stream" },
|
|
signal: abortController.signal,
|
|
},
|
|
);
|
|
if (streamResult.status !== 200) {
|
|
throw new Error("Unable to connect approvals stream.");
|
|
}
|
|
const response = streamResult.data as Response;
|
|
if (!(response instanceof Response) || !response.body) {
|
|
throw new Error("Unable to connect approvals stream.");
|
|
}
|
|
const reader = response.body.getReader();
|
|
const decoder = new TextDecoder();
|
|
let buffer = "";
|
|
|
|
while (!isCancelled) {
|
|
const { value, done } = await reader.read();
|
|
if (done) break;
|
|
if (value && value.length) {
|
|
backoff.reset();
|
|
}
|
|
buffer += decoder.decode(value, { stream: true });
|
|
buffer = buffer.replace(/\r\n/g, "\n");
|
|
let boundary = buffer.indexOf("\n\n");
|
|
while (boundary !== -1) {
|
|
const raw = buffer.slice(0, boundary);
|
|
buffer = buffer.slice(boundary + 2);
|
|
const lines = raw.split("\n");
|
|
let eventType = "message";
|
|
let data = "";
|
|
for (const line of lines) {
|
|
if (line.startsWith("event:")) {
|
|
eventType = line.slice(6).trim();
|
|
} else if (line.startsWith("data:")) {
|
|
data += line.slice(5).trim();
|
|
}
|
|
}
|
|
if (eventType === "approval" && data) {
|
|
try {
|
|
const payload = JSON.parse(data) as {
|
|
approval?: ApprovalRead;
|
|
task_counts?: {
|
|
task_id?: string;
|
|
approvals_count?: number;
|
|
approvals_pending_count?: number;
|
|
};
|
|
pending_approvals_count?: number;
|
|
};
|
|
if (payload.approval) {
|
|
const normalized = normalizeApproval(payload.approval);
|
|
setApprovals((prev) => {
|
|
const index = prev.findIndex(
|
|
(item) => item.id === normalized.id,
|
|
);
|
|
if (index === -1) {
|
|
return [normalized, ...prev];
|
|
}
|
|
const next = [...prev];
|
|
next[index] = {
|
|
...next[index],
|
|
...normalized,
|
|
};
|
|
return next;
|
|
});
|
|
}
|
|
if (payload.task_counts?.task_id) {
|
|
const taskId = payload.task_counts.task_id;
|
|
setTasks((prev) => {
|
|
const index = prev.findIndex((task) => task.id === taskId);
|
|
if (index === -1) return prev;
|
|
const next = [...prev];
|
|
const current = next[index];
|
|
next[index] = {
|
|
...current,
|
|
approvals_count:
|
|
payload.task_counts?.approvals_count ??
|
|
current.approvals_count,
|
|
approvals_pending_count:
|
|
payload.task_counts?.approvals_pending_count ??
|
|
current.approvals_pending_count,
|
|
};
|
|
return next;
|
|
});
|
|
}
|
|
} catch {
|
|
// Ignore malformed payloads.
|
|
}
|
|
}
|
|
boundary = buffer.indexOf("\n\n");
|
|
}
|
|
}
|
|
} catch {
|
|
// Reconnect handled below.
|
|
}
|
|
|
|
if (!isCancelled) {
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
const delay = backoff.nextDelayMs();
|
|
reconnectTimeout = window.setTimeout(() => {
|
|
reconnectTimeout = undefined;
|
|
void connect();
|
|
}, delay);
|
|
}
|
|
};
|
|
|
|
void connect();
|
|
return () => {
|
|
isCancelled = true;
|
|
abortController.abort();
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
};
|
|
}, [board, boardId, isSignedIn]);
|
|
|
|
useEffect(() => {
|
|
if (!selectedTask) {
|
|
setEditTitle("");
|
|
setEditDescription("");
|
|
setEditStatus("inbox");
|
|
setEditPriority("medium");
|
|
setEditAssigneeId("");
|
|
setEditDependsOnTaskIds([]);
|
|
setSaveTaskError(null);
|
|
return;
|
|
}
|
|
setEditTitle(selectedTask.title);
|
|
setEditDescription(selectedTask.description ?? "");
|
|
setEditStatus(selectedTask.status);
|
|
setEditPriority(selectedTask.priority);
|
|
setEditAssigneeId(selectedTask.assigned_agent_id ?? "");
|
|
setEditDependsOnTaskIds(selectedTask.depends_on_task_ids ?? []);
|
|
setSaveTaskError(null);
|
|
}, [selectedTask]);
|
|
|
|
useEffect(() => {
|
|
if (!isSignedIn || !boardId || !board) return;
|
|
let isCancelled = false;
|
|
const abortController = new AbortController();
|
|
const backoff = createExponentialBackoff(SSE_RECONNECT_BACKOFF);
|
|
let reconnectTimeout: number | undefined;
|
|
|
|
const connect = async () => {
|
|
try {
|
|
const since = latestTaskTimestamp(tasksRef.current);
|
|
const streamResult = await streamTasksApiV1BoardsBoardIdTasksStreamGet(
|
|
boardId,
|
|
since ? { since } : undefined,
|
|
{
|
|
headers: { Accept: "text/event-stream" },
|
|
signal: abortController.signal,
|
|
},
|
|
);
|
|
if (streamResult.status !== 200) {
|
|
throw new Error("Unable to connect task stream.");
|
|
}
|
|
const response = streamResult.data as Response;
|
|
if (!(response instanceof Response) || !response.body) {
|
|
throw new Error("Unable to connect task stream.");
|
|
}
|
|
const reader = response.body.getReader();
|
|
const decoder = new TextDecoder();
|
|
let buffer = "";
|
|
|
|
while (!isCancelled) {
|
|
const { value, done } = await reader.read();
|
|
if (done) break;
|
|
if (value && value.length) {
|
|
backoff.reset();
|
|
}
|
|
buffer += decoder.decode(value, { stream: true });
|
|
buffer = buffer.replace(/\r\n/g, "\n");
|
|
let boundary = buffer.indexOf("\n\n");
|
|
while (boundary !== -1) {
|
|
const raw = buffer.slice(0, boundary);
|
|
buffer = buffer.slice(boundary + 2);
|
|
const lines = raw.split("\n");
|
|
let eventType = "message";
|
|
let data = "";
|
|
for (const line of lines) {
|
|
if (line.startsWith("event:")) {
|
|
eventType = line.slice(6).trim();
|
|
} else if (line.startsWith("data:")) {
|
|
data += line.slice(5).trim();
|
|
}
|
|
}
|
|
if (eventType === "task" && data) {
|
|
try {
|
|
const payload = JSON.parse(data) as {
|
|
type?: string;
|
|
task?: TaskRead;
|
|
comment?: TaskCommentRead;
|
|
};
|
|
if (
|
|
payload.comment?.task_id &&
|
|
payload.type === "task.comment"
|
|
) {
|
|
pushLiveFeed(payload.comment);
|
|
setComments((prev) => {
|
|
if (
|
|
selectedTaskIdRef.current !== payload.comment?.task_id
|
|
) {
|
|
return prev;
|
|
}
|
|
const exists = prev.some(
|
|
(item) => item.id === payload.comment?.id,
|
|
);
|
|
if (exists) {
|
|
return prev;
|
|
}
|
|
const createdMs = apiDatetimeToMs(
|
|
payload.comment?.created_at,
|
|
);
|
|
if (prev.length === 0 || createdMs === null) {
|
|
return [...prev, payload.comment as TaskComment];
|
|
}
|
|
const last = prev[prev.length - 1];
|
|
const lastMs = apiDatetimeToMs(last?.created_at);
|
|
if (lastMs !== null && createdMs >= lastMs) {
|
|
return [...prev, payload.comment as TaskComment];
|
|
}
|
|
const next = [...prev, payload.comment as TaskComment];
|
|
next.sort((a, b) => {
|
|
const aTime = apiDatetimeToMs(a.created_at) ?? 0;
|
|
const bTime = apiDatetimeToMs(b.created_at) ?? 0;
|
|
return aTime - bTime;
|
|
});
|
|
return next;
|
|
});
|
|
} else if (payload.task) {
|
|
setTasks((prev) => {
|
|
const index = prev.findIndex(
|
|
(item) => item.id === payload.task?.id,
|
|
);
|
|
if (index === -1) {
|
|
const assignee = payload.task?.assigned_agent_id
|
|
? (agentsRef.current.find(
|
|
(agent) =>
|
|
agent.id === payload.task?.assigned_agent_id,
|
|
)?.name ?? null)
|
|
: null;
|
|
const created = normalizeTask({
|
|
...payload.task,
|
|
assignee,
|
|
approvals_count: 0,
|
|
approvals_pending_count: 0,
|
|
} as TaskCardRead);
|
|
return [created, ...prev];
|
|
}
|
|
const next = [...prev];
|
|
const existing = next[index];
|
|
const assignee = payload.task?.assigned_agent_id
|
|
? (agentsRef.current.find(
|
|
(agent) =>
|
|
agent.id === payload.task?.assigned_agent_id,
|
|
)?.name ?? null)
|
|
: null;
|
|
const updated = normalizeTask({
|
|
...existing,
|
|
...payload.task,
|
|
assignee,
|
|
approvals_count: existing.approvals_count,
|
|
approvals_pending_count: existing.approvals_pending_count,
|
|
} as TaskCardRead);
|
|
next[index] = { ...existing, ...updated };
|
|
return next;
|
|
});
|
|
}
|
|
} catch {
|
|
// Ignore malformed payloads.
|
|
}
|
|
}
|
|
boundary = buffer.indexOf("\n\n");
|
|
}
|
|
}
|
|
} catch {
|
|
// Reconnect handled below.
|
|
}
|
|
|
|
if (!isCancelled) {
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
const delay = backoff.nextDelayMs();
|
|
reconnectTimeout = window.setTimeout(() => {
|
|
reconnectTimeout = undefined;
|
|
void connect();
|
|
}, delay);
|
|
}
|
|
};
|
|
|
|
void connect();
|
|
return () => {
|
|
isCancelled = true;
|
|
abortController.abort();
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
};
|
|
}, [board, boardId, isSignedIn, pushLiveFeed]);
|
|
|
|
useEffect(() => {
|
|
if (!isSignedIn || !boardId) return;
|
|
let isCancelled = false;
|
|
const abortController = new AbortController();
|
|
const backoff = createExponentialBackoff(SSE_RECONNECT_BACKOFF);
|
|
let reconnectTimeout: number | undefined;
|
|
|
|
const connect = async () => {
|
|
try {
|
|
const since = latestAgentTimestamp(agentsRef.current);
|
|
const streamResult = await streamAgentsApiV1AgentsStreamGet(
|
|
{
|
|
board_id: boardId,
|
|
since: since ?? null,
|
|
},
|
|
{
|
|
headers: { Accept: "text/event-stream" },
|
|
signal: abortController.signal,
|
|
},
|
|
);
|
|
if (streamResult.status !== 200) {
|
|
throw new Error("Unable to connect agent stream.");
|
|
}
|
|
const response = streamResult.data as Response;
|
|
if (!(response instanceof Response) || !response.body) {
|
|
throw new Error("Unable to connect agent stream.");
|
|
}
|
|
const reader = response.body.getReader();
|
|
const decoder = new TextDecoder();
|
|
let buffer = "";
|
|
|
|
while (!isCancelled) {
|
|
const { value, done } = await reader.read();
|
|
if (done) break;
|
|
if (value && value.length) {
|
|
backoff.reset();
|
|
}
|
|
buffer += decoder.decode(value, { stream: true });
|
|
buffer = buffer.replace(/\r\n/g, "\n");
|
|
let boundary = buffer.indexOf("\n\n");
|
|
while (boundary !== -1) {
|
|
const raw = buffer.slice(0, boundary);
|
|
buffer = buffer.slice(boundary + 2);
|
|
const lines = raw.split("\n");
|
|
let eventType = "message";
|
|
let data = "";
|
|
for (const line of lines) {
|
|
if (line.startsWith("event:")) {
|
|
eventType = line.slice(6).trim();
|
|
} else if (line.startsWith("data:")) {
|
|
data += line.slice(5).trim();
|
|
}
|
|
}
|
|
if (eventType === "agent" && data) {
|
|
try {
|
|
const payload = JSON.parse(data) as { agent?: AgentRead };
|
|
if (payload.agent) {
|
|
const normalized = normalizeAgent(payload.agent);
|
|
setAgents((prev) => {
|
|
const index = prev.findIndex(
|
|
(item) => item.id === normalized.id,
|
|
);
|
|
if (index === -1) {
|
|
return [normalized, ...prev];
|
|
}
|
|
const next = [...prev];
|
|
next[index] = {
|
|
...next[index],
|
|
...normalized,
|
|
};
|
|
return next;
|
|
});
|
|
}
|
|
} catch {
|
|
// Ignore malformed payloads.
|
|
}
|
|
}
|
|
boundary = buffer.indexOf("\n\n");
|
|
}
|
|
}
|
|
} catch {
|
|
// Reconnect handled below.
|
|
}
|
|
|
|
if (!isCancelled) {
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
const delay = backoff.nextDelayMs();
|
|
reconnectTimeout = window.setTimeout(() => {
|
|
reconnectTimeout = undefined;
|
|
void connect();
|
|
}, delay);
|
|
}
|
|
};
|
|
|
|
void connect();
|
|
return () => {
|
|
isCancelled = true;
|
|
abortController.abort();
|
|
if (reconnectTimeout !== undefined) {
|
|
window.clearTimeout(reconnectTimeout);
|
|
}
|
|
};
|
|
}, [board, boardId, isSignedIn]);
|
|
|
|
const resetForm = () => {
|
|
setTitle("");
|
|
setDescription("");
|
|
setPriority("medium");
|
|
setCreateError(null);
|
|
};
|
|
|
|
const handleCreateTask = async () => {
|
|
if (!isSignedIn || !boardId) return;
|
|
const trimmed = title.trim();
|
|
if (!trimmed) {
|
|
setCreateError("Add a task title to continue.");
|
|
return;
|
|
}
|
|
setIsCreating(true);
|
|
setCreateError(null);
|
|
try {
|
|
const result = await createTaskApiV1BoardsBoardIdTasksPost(boardId, {
|
|
title: trimmed,
|
|
description: description.trim() || null,
|
|
status: "inbox",
|
|
priority,
|
|
});
|
|
if (result.status !== 200) throw new Error("Unable to create task.");
|
|
|
|
const created = normalizeTask({
|
|
...result.data,
|
|
assignee: result.data.assigned_agent_id
|
|
? (assigneeById.get(result.data.assigned_agent_id) ?? null)
|
|
: null,
|
|
approvals_count: 0,
|
|
approvals_pending_count: 0,
|
|
} as TaskCardRead);
|
|
setTasks((prev) => [created, ...prev]);
|
|
setIsDialogOpen(false);
|
|
resetForm();
|
|
} catch (err) {
|
|
setCreateError(
|
|
err instanceof Error ? err.message : "Something went wrong.",
|
|
);
|
|
} finally {
|
|
setIsCreating(false);
|
|
}
|
|
};
|
|
|
|
const handleSendChat = useCallback(
|
|
async (content: string): Promise<boolean> => {
|
|
if (!isSignedIn || !boardId) return false;
|
|
const trimmed = content.trim();
|
|
if (!trimmed) return false;
|
|
setIsChatSending(true);
|
|
setChatError(null);
|
|
try {
|
|
const result = await createBoardMemoryApiV1BoardsBoardIdMemoryPost(
|
|
boardId,
|
|
{
|
|
content: trimmed,
|
|
tags: ["chat"],
|
|
},
|
|
);
|
|
if (result.status !== 200) {
|
|
throw new Error("Unable to send message.");
|
|
}
|
|
const created = result.data;
|
|
if (created.tags?.includes("chat")) {
|
|
setChatMessages((prev) => {
|
|
const exists = prev.some((item) => item.id === created.id);
|
|
if (exists) return prev;
|
|
const next = [...prev, created];
|
|
next.sort((a, b) => {
|
|
const aTime = apiDatetimeToMs(a.created_at) ?? 0;
|
|
const bTime = apiDatetimeToMs(b.created_at) ?? 0;
|
|
return aTime - bTime;
|
|
});
|
|
return next;
|
|
});
|
|
}
|
|
return true;
|
|
} catch (err) {
|
|
setChatError(
|
|
err instanceof Error ? err.message : "Unable to send message.",
|
|
);
|
|
return false;
|
|
} finally {
|
|
setIsChatSending(false);
|
|
}
|
|
},
|
|
[boardId, isSignedIn],
|
|
);
|
|
|
|
const assigneeById = useMemo(() => {
|
|
const map = new Map<string, string>();
|
|
agents
|
|
.filter((agent) => !boardId || agent.board_id === boardId)
|
|
.forEach((agent) => {
|
|
map.set(agent.id, agent.name);
|
|
});
|
|
return map;
|
|
}, [agents, boardId]);
|
|
|
|
const taskTitleById = useMemo(() => {
|
|
const map = new Map<string, string>();
|
|
tasks.forEach((task) => {
|
|
map.set(task.id, task.title);
|
|
});
|
|
return map;
|
|
}, [tasks]);
|
|
|
|
const taskById = useMemo(() => {
|
|
const map = new Map<string, Task>();
|
|
tasks.forEach((task) => {
|
|
map.set(task.id, task);
|
|
});
|
|
return map;
|
|
}, [tasks]);
|
|
|
|
const orderedLiveFeed = useMemo(() => {
|
|
return [...liveFeed].sort((a, b) => {
|
|
const aTime = apiDatetimeToMs(a.created_at) ?? 0;
|
|
const bTime = apiDatetimeToMs(b.created_at) ?? 0;
|
|
return bTime - aTime;
|
|
});
|
|
}, [liveFeed]);
|
|
|
|
const assignableAgents = useMemo(
|
|
() => agents.filter((agent) => !agent.is_board_lead),
|
|
[agents],
|
|
);
|
|
|
|
const dependencyOptions = useMemo<DropdownSelectOption[]>(() => {
|
|
if (!selectedTask) return [];
|
|
const alreadySelected = new Set(editDependsOnTaskIds);
|
|
return tasks
|
|
.filter((task) => task.id !== selectedTask.id)
|
|
.map((task) => ({
|
|
value: task.id,
|
|
label: `${task.title} (${task.status.replace(/_/g, " ")})`,
|
|
disabled: alreadySelected.has(task.id),
|
|
}));
|
|
}, [editDependsOnTaskIds, selectedTask, tasks]);
|
|
|
|
const addTaskDependency = useCallback((dependencyId: string) => {
|
|
setEditDependsOnTaskIds((prev) =>
|
|
prev.includes(dependencyId) ? prev : [...prev, dependencyId],
|
|
);
|
|
}, []);
|
|
|
|
const removeTaskDependency = useCallback((dependencyId: string) => {
|
|
setEditDependsOnTaskIds((prev) =>
|
|
prev.filter((value) => value !== dependencyId),
|
|
);
|
|
}, []);
|
|
|
|
const hasTaskChanges = useMemo(() => {
|
|
if (!selectedTask) return false;
|
|
const normalizedTitle = editTitle.trim();
|
|
const normalizedDescription = editDescription.trim();
|
|
const currentDescription = (selectedTask.description ?? "").trim();
|
|
const currentAssignee = selectedTask.assigned_agent_id ?? "";
|
|
const currentDeps = [...(selectedTask.depends_on_task_ids ?? [])]
|
|
.sort()
|
|
.join("|");
|
|
const nextDeps = [...editDependsOnTaskIds].sort().join("|");
|
|
return (
|
|
normalizedTitle !== selectedTask.title ||
|
|
normalizedDescription !== currentDescription ||
|
|
editStatus !== selectedTask.status ||
|
|
editPriority !== selectedTask.priority ||
|
|
editAssigneeId !== currentAssignee ||
|
|
currentDeps !== nextDeps
|
|
);
|
|
}, [
|
|
editAssigneeId,
|
|
editDependsOnTaskIds,
|
|
editDescription,
|
|
editPriority,
|
|
editStatus,
|
|
editTitle,
|
|
selectedTask,
|
|
]);
|
|
|
|
const pendingApprovals = useMemo(
|
|
() => approvals.filter((approval) => approval.status === "pending"),
|
|
[approvals],
|
|
);
|
|
|
|
const taskApprovals = useMemo(() => {
|
|
if (!selectedTask) return [];
|
|
const taskId = selectedTask.id;
|
|
return approvals.filter((approval) => approval.task_id === taskId);
|
|
}, [approvals, selectedTask]);
|
|
|
|
const workingAgentIds = useMemo(() => {
|
|
const working = new Set<string>();
|
|
tasks.forEach((task) => {
|
|
if (task.status === "in_progress" && task.assigned_agent_id) {
|
|
working.add(task.assigned_agent_id);
|
|
}
|
|
});
|
|
return working;
|
|
}, [tasks]);
|
|
|
|
const sortedAgents = useMemo(() => {
|
|
const rank = (agent: Agent) => {
|
|
if (workingAgentIds.has(agent.id)) return 0;
|
|
if (agent.status === "online") return 1;
|
|
if (agent.status === "provisioning") return 2;
|
|
return 3;
|
|
};
|
|
return [...agents].sort((a, b) => {
|
|
const diff = rank(a) - rank(b);
|
|
if (diff !== 0) return diff;
|
|
return a.name.localeCompare(b.name);
|
|
});
|
|
}, [agents, workingAgentIds]);
|
|
|
|
const loadComments = useCallback(
|
|
async (taskId: string) => {
|
|
if (!isSignedIn || !boardId) return;
|
|
setIsCommentsLoading(true);
|
|
setCommentsError(null);
|
|
try {
|
|
const result =
|
|
await listTaskCommentsApiV1BoardsBoardIdTasksTaskIdCommentsGet(
|
|
boardId,
|
|
taskId,
|
|
);
|
|
if (result.status !== 200) throw new Error("Unable to load comments.");
|
|
const items = [...(result.data.items ?? [])];
|
|
items.sort((a, b) => {
|
|
const aTime = apiDatetimeToMs(a.created_at) ?? 0;
|
|
const bTime = apiDatetimeToMs(b.created_at) ?? 0;
|
|
return aTime - bTime;
|
|
});
|
|
setComments(items);
|
|
} catch (err) {
|
|
setCommentsError(
|
|
err instanceof Error ? err.message : "Something went wrong.",
|
|
);
|
|
} finally {
|
|
setIsCommentsLoading(false);
|
|
}
|
|
},
|
|
[boardId, isSignedIn],
|
|
);
|
|
|
|
const openComments = useCallback(
|
|
(task: { id: string }) => {
|
|
setIsChatOpen(false);
|
|
setIsLiveFeedOpen(false);
|
|
const fullTask = tasksRef.current.find((item) => item.id === task.id);
|
|
if (!fullTask) return;
|
|
selectedTaskIdRef.current = fullTask.id;
|
|
setSelectedTask(fullTask);
|
|
setIsDetailOpen(true);
|
|
void loadComments(task.id);
|
|
},
|
|
[loadComments],
|
|
);
|
|
|
|
useEffect(() => {
|
|
if (!taskIdFromUrl) return;
|
|
if (openedTaskIdFromUrlRef.current === taskIdFromUrl) return;
|
|
const exists = tasks.some((task) => task.id === taskIdFromUrl);
|
|
if (!exists) return;
|
|
openedTaskIdFromUrlRef.current = taskIdFromUrl;
|
|
openComments({ id: taskIdFromUrl });
|
|
}, [openComments, taskIdFromUrl, tasks]);
|
|
|
|
const closeComments = () => {
|
|
setIsDetailOpen(false);
|
|
selectedTaskIdRef.current = null;
|
|
setSelectedTask(null);
|
|
setComments([]);
|
|
setCommentsError(null);
|
|
setNewComment("");
|
|
setPostCommentError(null);
|
|
setIsEditDialogOpen(false);
|
|
};
|
|
|
|
const openBoardChat = () => {
|
|
if (isDetailOpen) {
|
|
closeComments();
|
|
}
|
|
setIsLiveFeedOpen(false);
|
|
setIsChatOpen(true);
|
|
};
|
|
|
|
const closeBoardChat = () => {
|
|
setIsChatOpen(false);
|
|
setChatError(null);
|
|
};
|
|
|
|
const openLiveFeed = () => {
|
|
if (isDetailOpen) {
|
|
closeComments();
|
|
}
|
|
if (isChatOpen) {
|
|
closeBoardChat();
|
|
}
|
|
setIsLiveFeedOpen(true);
|
|
};
|
|
|
|
const closeLiveFeed = () => {
|
|
setIsLiveFeedOpen(false);
|
|
};
|
|
|
|
const handlePostComment = async () => {
|
|
if (!selectedTask || !boardId || !isSignedIn) return;
|
|
const trimmed = newComment.trim();
|
|
if (!trimmed) {
|
|
setPostCommentError("Write a message before sending.");
|
|
return;
|
|
}
|
|
setIsPostingComment(true);
|
|
setPostCommentError(null);
|
|
try {
|
|
const result =
|
|
await createTaskCommentApiV1BoardsBoardIdTasksTaskIdCommentsPost(
|
|
boardId,
|
|
selectedTask.id,
|
|
{ message: trimmed },
|
|
);
|
|
if (result.status !== 200) throw new Error("Unable to send message.");
|
|
const created = result.data;
|
|
setComments((prev) => [created, ...prev]);
|
|
setNewComment("");
|
|
} catch (err) {
|
|
setPostCommentError(
|
|
err instanceof Error ? err.message : "Unable to send message.",
|
|
);
|
|
} finally {
|
|
setIsPostingComment(false);
|
|
}
|
|
};
|
|
|
|
const handleTaskSave = async (closeOnSuccess = false) => {
|
|
if (!selectedTask || !isSignedIn || !boardId) return;
|
|
const trimmedTitle = editTitle.trim();
|
|
if (!trimmedTitle) {
|
|
setSaveTaskError("Title is required.");
|
|
return;
|
|
}
|
|
setIsSavingTask(true);
|
|
setSaveTaskError(null);
|
|
try {
|
|
const currentDeps = [...(selectedTask.depends_on_task_ids ?? [])]
|
|
.sort()
|
|
.join("|");
|
|
const nextDeps = [...editDependsOnTaskIds].sort().join("|");
|
|
const depsChanged = currentDeps !== nextDeps;
|
|
|
|
const updatePayload: Parameters<
|
|
typeof updateTaskApiV1BoardsBoardIdTasksTaskIdPatch
|
|
>[2] = {
|
|
title: trimmedTitle,
|
|
description: editDescription.trim() || null,
|
|
status: editStatus,
|
|
priority: editPriority,
|
|
assigned_agent_id: editAssigneeId || null,
|
|
};
|
|
|
|
if (depsChanged && selectedTask.status !== "done") {
|
|
updatePayload.depends_on_task_ids = editDependsOnTaskIds;
|
|
}
|
|
|
|
const result = await updateTaskApiV1BoardsBoardIdTasksTaskIdPatch(
|
|
boardId,
|
|
selectedTask.id,
|
|
updatePayload,
|
|
);
|
|
if (result.status === 409) {
|
|
const blockedIds = result.data.detail.blocked_by_task_ids ?? [];
|
|
const blockedTitles = blockedIds
|
|
.map((id) => taskTitleById.get(id) ?? id)
|
|
.join(", ");
|
|
setSaveTaskError(
|
|
blockedTitles
|
|
? `${result.data.detail.message} Blocked by: ${blockedTitles}`
|
|
: result.data.detail.message,
|
|
);
|
|
return;
|
|
}
|
|
if (result.status === 422) {
|
|
setSaveTaskError(
|
|
result.data.detail?.[0]?.msg ?? "Validation error while saving task.",
|
|
);
|
|
return;
|
|
}
|
|
const previous =
|
|
tasksRef.current.find((task) => task.id === selectedTask.id) ??
|
|
selectedTask;
|
|
const updated = normalizeTask({
|
|
...previous,
|
|
...result.data,
|
|
assignee: result.data.assigned_agent_id
|
|
? (assigneeById.get(result.data.assigned_agent_id) ?? null)
|
|
: null,
|
|
approvals_count: previous.approvals_count,
|
|
approvals_pending_count: previous.approvals_pending_count,
|
|
} as TaskCardRead);
|
|
setTasks((prev) =>
|
|
prev.map((task) =>
|
|
task.id === updated.id ? { ...task, ...updated } : task,
|
|
),
|
|
);
|
|
setSelectedTask(updated);
|
|
if (closeOnSuccess) {
|
|
setIsEditDialogOpen(false);
|
|
}
|
|
} catch (err) {
|
|
setSaveTaskError(
|
|
err instanceof Error ? err.message : "Something went wrong.",
|
|
);
|
|
} finally {
|
|
setIsSavingTask(false);
|
|
}
|
|
};
|
|
|
|
const handleTaskReset = () => {
|
|
if (!selectedTask) return;
|
|
setEditTitle(selectedTask.title);
|
|
setEditDescription(selectedTask.description ?? "");
|
|
setEditStatus(selectedTask.status);
|
|
setEditPriority(selectedTask.priority);
|
|
setEditAssigneeId(selectedTask.assigned_agent_id ?? "");
|
|
setEditDependsOnTaskIds(selectedTask.depends_on_task_ids ?? []);
|
|
setSaveTaskError(null);
|
|
};
|
|
|
|
const handleDeleteTask = async () => {
|
|
if (!selectedTask || !boardId || !isSignedIn) return;
|
|
setIsDeletingTask(true);
|
|
setDeleteTaskError(null);
|
|
try {
|
|
const result = await deleteTaskApiV1BoardsBoardIdTasksTaskIdDelete(
|
|
boardId,
|
|
selectedTask.id,
|
|
);
|
|
if (result.status !== 200) throw new Error("Unable to delete task.");
|
|
setTasks((prev) => prev.filter((task) => task.id !== selectedTask.id));
|
|
setIsDeleteDialogOpen(false);
|
|
closeComments();
|
|
} catch (err) {
|
|
setDeleteTaskError(
|
|
err instanceof Error ? err.message : "Something went wrong.",
|
|
);
|
|
} finally {
|
|
setIsDeletingTask(false);
|
|
}
|
|
};
|
|
|
|
const handleTaskMove = useCallback(
|
|
async (taskId: string, status: TaskStatus) => {
|
|
if (!isSignedIn || !boardId) return;
|
|
const currentTask = tasksRef.current.find((task) => task.id === taskId);
|
|
if (!currentTask || currentTask.status === status) return;
|
|
if (currentTask.is_blocked && status !== "inbox") {
|
|
setError("Task is blocked by incomplete dependencies.");
|
|
return;
|
|
}
|
|
const previousTasks = tasksRef.current;
|
|
setTasks((prev) =>
|
|
prev.map((task) =>
|
|
task.id === taskId
|
|
? {
|
|
...task,
|
|
status,
|
|
assigned_agent_id:
|
|
status === "inbox" ? null : task.assigned_agent_id,
|
|
assignee: status === "inbox" ? null : task.assignee,
|
|
}
|
|
: task,
|
|
),
|
|
);
|
|
try {
|
|
const result = await updateTaskApiV1BoardsBoardIdTasksTaskIdPatch(
|
|
boardId,
|
|
taskId,
|
|
{ status },
|
|
);
|
|
if (result.status === 409) {
|
|
const blockedIds = result.data.detail.blocked_by_task_ids ?? [];
|
|
const blockedTitles = blockedIds
|
|
.map((id) => taskTitleById.get(id) ?? id)
|
|
.join(", ");
|
|
throw new Error(
|
|
blockedTitles
|
|
? `${result.data.detail.message} Blocked by: ${blockedTitles}`
|
|
: result.data.detail.message,
|
|
);
|
|
}
|
|
if (result.status === 422) {
|
|
throw new Error(
|
|
result.data.detail?.[0]?.msg ??
|
|
"Validation error while moving task.",
|
|
);
|
|
}
|
|
const assignee = result.data.assigned_agent_id
|
|
? (agentsRef.current.find(
|
|
(agent) => agent.id === result.data.assigned_agent_id,
|
|
)?.name ?? null)
|
|
: null;
|
|
const updated = normalizeTask({
|
|
...currentTask,
|
|
...result.data,
|
|
assignee,
|
|
approvals_count: currentTask.approvals_count,
|
|
approvals_pending_count: currentTask.approvals_pending_count,
|
|
} as TaskCardRead);
|
|
setTasks((prev) =>
|
|
prev.map((task) =>
|
|
task.id === updated.id ? { ...task, ...updated } : task,
|
|
),
|
|
);
|
|
} catch (err) {
|
|
setTasks(previousTasks);
|
|
setError(err instanceof Error ? err.message : "Unable to move task.");
|
|
}
|
|
},
|
|
[boardId, isSignedIn, taskTitleById],
|
|
);
|
|
|
|
const agentInitials = (agent: Agent) =>
|
|
agent.name
|
|
.split(" ")
|
|
.filter(Boolean)
|
|
.slice(0, 2)
|
|
.map((part) => part[0])
|
|
.join("")
|
|
.toUpperCase();
|
|
|
|
const resolveEmoji = (value?: string | null) => {
|
|
if (!value) return null;
|
|
const trimmed = value.trim();
|
|
if (!trimmed) return null;
|
|
if (EMOJI_GLYPHS[trimmed]) return EMOJI_GLYPHS[trimmed];
|
|
if (trimmed.startsWith(":") && trimmed.endsWith(":")) return null;
|
|
return trimmed;
|
|
};
|
|
|
|
const agentAvatarLabel = (agent: Agent) => {
|
|
if (agent.is_board_lead) return "⚙️";
|
|
let emojiValue: string | null = null;
|
|
if (agent.identity_profile && typeof agent.identity_profile === "object") {
|
|
const rawEmoji = (agent.identity_profile as Record<string, unknown>)
|
|
.emoji;
|
|
emojiValue = typeof rawEmoji === "string" ? rawEmoji : null;
|
|
}
|
|
const emoji = resolveEmoji(emojiValue);
|
|
return emoji ?? agentInitials(agent);
|
|
};
|
|
|
|
const agentRoleLabel = (agent: Agent) => {
|
|
// Prefer the configured identity role from the API.
|
|
if (agent.identity_profile && typeof agent.identity_profile === "object") {
|
|
const rawRole = (agent.identity_profile as Record<string, unknown>).role;
|
|
if (typeof rawRole === "string") {
|
|
const trimmed = rawRole.trim();
|
|
if (trimmed) return trimmed;
|
|
}
|
|
}
|
|
if (agent.is_board_lead) return "Board lead";
|
|
if (agent.is_gateway_main) return "Gateway main";
|
|
return "Agent";
|
|
};
|
|
|
|
const formatTaskTimestamp = (value?: string | null) => {
|
|
if (!value) return "—";
|
|
const date = parseApiDatetime(value);
|
|
if (!date) return "—";
|
|
return date.toLocaleString(undefined, {
|
|
month: "short",
|
|
day: "numeric",
|
|
hour: "2-digit",
|
|
minute: "2-digit",
|
|
});
|
|
};
|
|
|
|
const statusBadgeClass = (value?: string) => {
|
|
switch (value) {
|
|
case "in_progress":
|
|
return "bg-purple-100 text-purple-700";
|
|
case "review":
|
|
return "bg-indigo-100 text-indigo-700";
|
|
case "done":
|
|
return "bg-emerald-100 text-emerald-700";
|
|
default:
|
|
return "bg-slate-100 text-slate-600";
|
|
}
|
|
};
|
|
|
|
const priorityBadgeClass = (value?: string) => {
|
|
switch (value?.toLowerCase()) {
|
|
case "high":
|
|
return "bg-rose-100 text-rose-700";
|
|
case "medium":
|
|
return "bg-amber-100 text-amber-700";
|
|
case "low":
|
|
return "bg-emerald-100 text-emerald-700";
|
|
default:
|
|
return "bg-slate-100 text-slate-600";
|
|
}
|
|
};
|
|
|
|
const formatApprovalTimestamp = (value?: string | null) => {
|
|
if (!value) return "—";
|
|
const date = parseApiDatetime(value);
|
|
if (!date) return value;
|
|
return date.toLocaleString(undefined, {
|
|
month: "short",
|
|
day: "numeric",
|
|
hour: "2-digit",
|
|
minute: "2-digit",
|
|
});
|
|
};
|
|
|
|
const humanizeApprovalAction = (value: string) =>
|
|
value
|
|
.split(".")
|
|
.map((part) =>
|
|
part.replace(/_/g, " ").replace(/\b\w/g, (char) => char.toUpperCase()),
|
|
)
|
|
.join(" · ");
|
|
|
|
const approvalPayloadValue = (payload: Approval["payload"], key: string) => {
|
|
if (!payload || typeof payload !== "object") return null;
|
|
const value = (payload as Record<string, unknown>)[key];
|
|
if (typeof value === "string" || typeof value === "number") {
|
|
return String(value);
|
|
}
|
|
return null;
|
|
};
|
|
|
|
const approvalRows = (approval: Approval) => {
|
|
const payload = approval.payload ?? {};
|
|
const taskId =
|
|
approval.task_id ??
|
|
approvalPayloadValue(payload, "task_id") ??
|
|
approvalPayloadValue(payload, "taskId") ??
|
|
approvalPayloadValue(payload, "taskID");
|
|
const assignedAgentId =
|
|
approvalPayloadValue(payload, "assigned_agent_id") ??
|
|
approvalPayloadValue(payload, "assignedAgentId");
|
|
const title = approvalPayloadValue(payload, "title");
|
|
const role = approvalPayloadValue(payload, "role");
|
|
const isAssign = approval.action_type.includes("assign");
|
|
const rows: Array<{ label: string; value: string }> = [];
|
|
if (taskId) rows.push({ label: "Task", value: taskId });
|
|
if (isAssign) {
|
|
rows.push({
|
|
label: "Assignee",
|
|
value: assignedAgentId ?? "Unassigned",
|
|
});
|
|
}
|
|
if (title) rows.push({ label: "Title", value: title });
|
|
if (role) rows.push({ label: "Role", value: role });
|
|
return rows;
|
|
};
|
|
|
|
const approvalReason = (approval: Approval) =>
|
|
approvalPayloadValue(approval.payload ?? {}, "reason");
|
|
|
|
const handleApprovalDecision = useCallback(
|
|
async (approvalId: string, status: "approved" | "rejected") => {
|
|
if (!isSignedIn || !boardId) return;
|
|
setApprovalsUpdatingId(approvalId);
|
|
setApprovalsError(null);
|
|
try {
|
|
const result =
|
|
await updateApprovalApiV1BoardsBoardIdApprovalsApprovalIdPatch(
|
|
boardId,
|
|
approvalId,
|
|
{ status },
|
|
);
|
|
if (result.status !== 200) {
|
|
throw new Error("Unable to update approval.");
|
|
}
|
|
const updated = normalizeApproval(result.data);
|
|
setApprovals((prev) =>
|
|
prev.map((item) => (item.id === approvalId ? updated : item)),
|
|
);
|
|
} catch (err) {
|
|
setApprovalsError(
|
|
err instanceof Error ? err.message : "Unable to update approval.",
|
|
);
|
|
} finally {
|
|
setApprovalsUpdatingId(null);
|
|
}
|
|
},
|
|
[boardId, isSignedIn],
|
|
);
|
|
|
|
return (
|
|
<DashboardShell>
|
|
<SignedOut>
|
|
<div className="flex h-full flex-col items-center justify-center gap-4 rounded-2xl surface-panel p-10 text-center">
|
|
<p className="text-sm text-muted">Sign in to view boards.</p>
|
|
<SignInButton
|
|
mode="modal"
|
|
forceRedirectUrl="/boards"
|
|
signUpForceRedirectUrl="/boards"
|
|
>
|
|
<Button>Sign in</Button>
|
|
</SignInButton>
|
|
</div>
|
|
</SignedOut>
|
|
<SignedIn>
|
|
<DashboardSidebar />
|
|
<main
|
|
className={cn(
|
|
"flex-1 bg-gradient-to-br from-slate-50 to-slate-100",
|
|
isSidePanelOpen ? "overflow-hidden" : "overflow-y-auto",
|
|
)}
|
|
>
|
|
<div className="sticky top-0 z-30 border-b border-slate-200 bg-white shadow-sm">
|
|
<div className="px-8 py-6">
|
|
<div className="flex flex-wrap items-center justify-between gap-4">
|
|
<div>
|
|
<h1 className="mt-2 text-2xl font-semibold text-slate-900 tracking-tight">
|
|
{board?.name ?? "Board"}
|
|
</h1>
|
|
<p className="mt-1 text-sm text-slate-500">
|
|
Keep tasks moving through your workflow.
|
|
</p>
|
|
</div>
|
|
<div className="flex flex-wrap items-center gap-3">
|
|
<div className="flex items-center gap-1 rounded-lg bg-slate-100 p-1">
|
|
<button
|
|
className={cn(
|
|
"rounded-md px-3 py-1.5 text-sm font-medium transition-colors",
|
|
viewMode === "board"
|
|
? "bg-slate-900 text-white"
|
|
: "text-slate-600 hover:bg-slate-200 hover:text-slate-900",
|
|
)}
|
|
onClick={() => setViewMode("board")}
|
|
>
|
|
Board
|
|
</button>
|
|
<button
|
|
className={cn(
|
|
"rounded-md px-3 py-1.5 text-sm font-medium transition-colors",
|
|
viewMode === "list"
|
|
? "bg-slate-900 text-white"
|
|
: "text-slate-600 hover:bg-slate-200 hover:text-slate-900",
|
|
)}
|
|
onClick={() => setViewMode("list")}
|
|
>
|
|
List
|
|
</button>
|
|
</div>
|
|
<Button onClick={() => setIsDialogOpen(true)}>
|
|
New task
|
|
</Button>
|
|
<Button
|
|
variant="outline"
|
|
onClick={() => router.push(`/boards/${boardId}/approvals`)}
|
|
className="relative"
|
|
>
|
|
Approvals
|
|
{pendingApprovals.length > 0 ? (
|
|
<span className="ml-2 inline-flex min-w-[20px] items-center justify-center rounded-full bg-slate-900 px-2 py-0.5 text-xs font-semibold text-white">
|
|
{pendingApprovals.length}
|
|
</span>
|
|
) : null}
|
|
</Button>
|
|
<Button
|
|
variant="outline"
|
|
onClick={openBoardChat}
|
|
className="h-9 w-9 p-0"
|
|
aria-label="Board chat"
|
|
title="Board chat"
|
|
>
|
|
<MessageSquare className="h-4 w-4" />
|
|
</Button>
|
|
<Button
|
|
variant="outline"
|
|
onClick={openLiveFeed}
|
|
className="h-9 w-9 p-0"
|
|
aria-label="Live feed"
|
|
title="Live feed"
|
|
>
|
|
<Activity className="h-4 w-4" />
|
|
</Button>
|
|
<button
|
|
type="button"
|
|
onClick={() => router.push(`/boards/${boardId}/edit`)}
|
|
className="inline-flex h-9 w-9 items-center justify-center rounded-lg border border-slate-200 text-slate-600 transition hover:border-slate-300 hover:bg-slate-50"
|
|
aria-label="Board settings"
|
|
title="Board settings"
|
|
>
|
|
<Settings className="h-4 w-4" />
|
|
</button>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
<div className="relative flex gap-6 p-6">
|
|
<aside className="flex h-full w-64 flex-col rounded-xl border border-slate-200 bg-white shadow-sm">
|
|
<div className="flex items-center justify-between border-b border-slate-200 px-4 py-3">
|
|
<div>
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Agents
|
|
</p>
|
|
<p className="text-xs text-slate-400">
|
|
{sortedAgents.length} total
|
|
</p>
|
|
</div>
|
|
<button
|
|
type="button"
|
|
onClick={() => router.push("/agents/new")}
|
|
className="rounded-md border border-slate-200 px-2.5 py-1 text-xs font-semibold text-slate-600 transition hover:border-slate-300 hover:bg-slate-50"
|
|
>
|
|
Add
|
|
</button>
|
|
</div>
|
|
<div className="flex-1 space-y-2 overflow-y-auto p-3">
|
|
{sortedAgents.length === 0 ? (
|
|
<div className="rounded-lg border border-dashed border-slate-200 p-3 text-xs text-slate-500">
|
|
No agents assigned yet.
|
|
</div>
|
|
) : (
|
|
sortedAgents.map((agent) => {
|
|
const isWorking = workingAgentIds.has(agent.id);
|
|
return (
|
|
<button
|
|
key={agent.id}
|
|
type="button"
|
|
className={cn(
|
|
"flex w-full items-center gap-3 rounded-lg border border-transparent px-2 py-2 text-left transition hover:border-slate-200 hover:bg-slate-50",
|
|
)}
|
|
onClick={() => router.push(`/agents/${agent.id}`)}
|
|
>
|
|
<div className="relative flex h-9 w-9 items-center justify-center rounded-full bg-slate-100 text-xs font-semibold text-slate-700">
|
|
{agentAvatarLabel(agent)}
|
|
<span
|
|
className={cn(
|
|
"absolute -right-0.5 -bottom-0.5 h-2.5 w-2.5 rounded-full border-2 border-white",
|
|
isWorking
|
|
? "bg-emerald-500"
|
|
: agent.status === "online"
|
|
? "bg-green-500"
|
|
: "bg-slate-300",
|
|
)}
|
|
/>
|
|
</div>
|
|
<div className="min-w-0 flex-1">
|
|
<p className="truncate text-sm font-medium text-slate-900">
|
|
{agent.name}
|
|
</p>
|
|
<p className="text-[11px] text-slate-500">
|
|
{agentRoleLabel(agent)}
|
|
</p>
|
|
</div>
|
|
</button>
|
|
);
|
|
})
|
|
)}
|
|
</div>
|
|
</aside>
|
|
|
|
<div className="min-w-0 flex-1 space-y-6">
|
|
{error && (
|
|
<div className="rounded-lg border border-slate-200 bg-white p-3 text-sm text-slate-600 shadow-sm">
|
|
{error}
|
|
</div>
|
|
)}
|
|
|
|
{isLoading ? (
|
|
<div className="flex min-h-[50vh] items-center justify-center text-sm text-slate-500">
|
|
Loading {titleLabel}…
|
|
</div>
|
|
) : (
|
|
<>
|
|
{viewMode === "board" ? (
|
|
<TaskBoard
|
|
tasks={tasks}
|
|
onTaskSelect={openComments}
|
|
onTaskMove={handleTaskMove}
|
|
/>
|
|
) : (
|
|
<div className="rounded-xl border border-slate-200 bg-white shadow-sm">
|
|
<div className="border-b border-slate-200 px-5 py-4">
|
|
<div className="flex items-center justify-between">
|
|
<div>
|
|
<p className="text-sm font-semibold text-slate-900">
|
|
All tasks
|
|
</p>
|
|
<p className="text-xs text-slate-500">
|
|
{tasks.length} tasks in this board
|
|
</p>
|
|
</div>
|
|
<Button
|
|
variant="outline"
|
|
size="sm"
|
|
onClick={() => setIsDialogOpen(true)}
|
|
disabled={isCreating}
|
|
>
|
|
New task
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
<div className="divide-y divide-slate-100">
|
|
{tasks.length === 0 ? (
|
|
<div className="px-5 py-8 text-sm text-slate-500">
|
|
No tasks yet. Create your first task to get started.
|
|
</div>
|
|
) : (
|
|
tasks.map((task) => (
|
|
<button
|
|
key={task.id}
|
|
type="button"
|
|
className="w-full px-5 py-4 text-left transition hover:bg-slate-50"
|
|
onClick={() => openComments(task)}
|
|
>
|
|
<div className="flex flex-wrap items-center justify-between gap-3">
|
|
<div className="min-w-0">
|
|
<p className="truncate text-sm font-semibold text-slate-900">
|
|
{task.title}
|
|
</p>
|
|
<p className="mt-1 text-xs text-slate-500">
|
|
{task.description
|
|
? task.description
|
|
.toString()
|
|
.trim()
|
|
.slice(0, 120)
|
|
: "No description"}
|
|
</p>
|
|
</div>
|
|
<div className="flex flex-wrap items-center gap-3 text-xs text-slate-500">
|
|
{task.approvals_pending_count ? (
|
|
<span className="inline-flex items-center gap-2 text-[10px] font-semibold uppercase tracking-wide text-amber-700">
|
|
<span className="h-1.5 w-1.5 rounded-full bg-amber-500" />
|
|
Approval needed ·{" "}
|
|
{task.approvals_pending_count}
|
|
</span>
|
|
) : null}
|
|
<span
|
|
className={cn(
|
|
"rounded-full px-2 py-1 text-[10px] font-semibold uppercase tracking-wide",
|
|
statusBadgeClass(task.status),
|
|
)}
|
|
>
|
|
{task.status.replace(/_/g, " ")}
|
|
</span>
|
|
<span
|
|
className={cn(
|
|
"rounded-full px-2 py-1 text-[10px] font-semibold uppercase tracking-wide",
|
|
priorityBadgeClass(task.priority),
|
|
)}
|
|
>
|
|
{task.priority}
|
|
</span>
|
|
<span className="text-xs text-slate-500">
|
|
{task.assignee ?? "Unassigned"}
|
|
</span>
|
|
<span className="text-xs text-slate-500">
|
|
{formatTaskTimestamp(
|
|
task.updated_at ?? task.created_at,
|
|
)}
|
|
</span>
|
|
</div>
|
|
</div>
|
|
</button>
|
|
))
|
|
)}
|
|
</div>
|
|
</div>
|
|
)}
|
|
</>
|
|
)}
|
|
</div>
|
|
</div>
|
|
</main>
|
|
</SignedIn>
|
|
{isDetailOpen || isChatOpen || isLiveFeedOpen ? (
|
|
<div
|
|
className="fixed inset-0 z-40 bg-slate-900/20"
|
|
onClick={() => {
|
|
if (isChatOpen) {
|
|
closeBoardChat();
|
|
} else if (isLiveFeedOpen) {
|
|
closeLiveFeed();
|
|
} else {
|
|
closeComments();
|
|
}
|
|
}}
|
|
/>
|
|
) : null}
|
|
<aside
|
|
className={cn(
|
|
"fixed right-0 top-0 z-50 h-full w-[max(760px,45vw)] max-w-[99vw] transform bg-white shadow-2xl transition-transform",
|
|
isDetailOpen ? "transform-none" : "translate-x-full",
|
|
)}
|
|
>
|
|
<div className="flex h-full flex-col">
|
|
<div className="flex items-center justify-between border-b border-slate-200 px-6 py-4">
|
|
<div>
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Task detail
|
|
</p>
|
|
<p className="mt-1 text-sm font-medium text-slate-900">
|
|
{selectedTask?.title ?? "Task"}
|
|
</p>
|
|
</div>
|
|
<div className="flex items-center gap-2">
|
|
<button
|
|
type="button"
|
|
onClick={() => setIsEditDialogOpen(true)}
|
|
className="rounded-lg border border-slate-200 p-2 text-slate-500 transition hover:bg-slate-50"
|
|
disabled={!selectedTask}
|
|
>
|
|
<Pencil className="h-4 w-4" />
|
|
</button>
|
|
<button
|
|
type="button"
|
|
onClick={closeComments}
|
|
className="rounded-lg border border-slate-200 p-2 text-slate-500 transition hover:bg-slate-50"
|
|
>
|
|
<X className="h-4 w-4" />
|
|
</button>
|
|
</div>
|
|
</div>
|
|
<div className="flex-1 space-y-6 overflow-y-auto px-6 py-5">
|
|
<div className="space-y-2">
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Description
|
|
</p>
|
|
{selectedTask?.description ? (
|
|
<div className="prose prose-sm max-w-none text-slate-700">
|
|
<Markdown
|
|
content={selectedTask.description}
|
|
variant="description"
|
|
/>
|
|
</div>
|
|
) : (
|
|
<p className="text-sm text-slate-500">
|
|
No description provided.
|
|
</p>
|
|
)}
|
|
</div>
|
|
<div className="space-y-2">
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Dependencies
|
|
</p>
|
|
{selectedTask?.depends_on_task_ids?.length ? (
|
|
<div className="space-y-2">
|
|
{selectedTask.depends_on_task_ids.map((depId) => {
|
|
const depTask = taskById.get(depId);
|
|
const title = depTask?.title ?? depId;
|
|
const statusLabel = depTask?.status
|
|
? depTask.status.replace(/_/g, " ")
|
|
: "unknown";
|
|
const isDone = depTask?.status === "done";
|
|
const isBlocking = (
|
|
selectedTask.blocked_by_task_ids ?? []
|
|
).includes(depId);
|
|
return (
|
|
<button
|
|
key={depId}
|
|
type="button"
|
|
onClick={() => openComments({ id: depId })}
|
|
disabled={!depTask}
|
|
className={cn(
|
|
"w-full rounded-lg border px-3 py-2 text-left transition",
|
|
isBlocking
|
|
? "border-rose-200 bg-rose-50 hover:bg-rose-100/40"
|
|
: isDone
|
|
? "border-emerald-200 bg-emerald-50 hover:bg-emerald-100/40"
|
|
: "border-slate-200 bg-white hover:bg-slate-50",
|
|
!depTask && "cursor-not-allowed opacity-60",
|
|
)}
|
|
>
|
|
<div className="flex items-center justify-between gap-3">
|
|
<p className="truncate text-sm font-medium text-slate-900">
|
|
{title}
|
|
</p>
|
|
<span
|
|
className={cn(
|
|
"text-[10px] font-semibold uppercase tracking-wide",
|
|
isBlocking
|
|
? "text-rose-700"
|
|
: isDone
|
|
? "text-emerald-700"
|
|
: "text-slate-500",
|
|
)}
|
|
>
|
|
{statusLabel}
|
|
</span>
|
|
</div>
|
|
</button>
|
|
);
|
|
})}
|
|
</div>
|
|
) : (
|
|
<p className="text-sm text-slate-500">No dependencies.</p>
|
|
)}
|
|
{selectedTask?.is_blocked ? (
|
|
<div className="rounded-lg border border-rose-200 bg-rose-50 p-3 text-xs text-rose-700">
|
|
Blocked by incomplete dependencies.
|
|
</div>
|
|
) : null}
|
|
</div>
|
|
<div className="space-y-3">
|
|
<div className="flex items-center justify-between">
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Approvals
|
|
</p>
|
|
<Button
|
|
variant="outline"
|
|
size="sm"
|
|
onClick={() => router.push(`/boards/${boardId}/approvals`)}
|
|
>
|
|
View all
|
|
</Button>
|
|
</div>
|
|
{approvalsError ? (
|
|
<div className="rounded-lg border border-slate-200 bg-slate-50 p-3 text-xs text-slate-500">
|
|
{approvalsError}
|
|
</div>
|
|
) : isApprovalsLoading ? (
|
|
<p className="text-sm text-slate-500">Loading approvals…</p>
|
|
) : taskApprovals.length === 0 ? (
|
|
<p className="text-sm text-slate-500">
|
|
No approvals tied to this task.{" "}
|
|
{pendingApprovals.length > 0
|
|
? `${pendingApprovals.length} pending on this board.`
|
|
: "No pending approvals on this board."}
|
|
</p>
|
|
) : (
|
|
<div className="space-y-3">
|
|
{taskApprovals.map((approval) => (
|
|
<div
|
|
key={approval.id}
|
|
className="rounded-xl border border-slate-200 bg-white p-3"
|
|
>
|
|
<div className="flex flex-wrap items-start justify-between gap-2 text-xs text-slate-500">
|
|
<div>
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
{humanizeApprovalAction(approval.action_type)}
|
|
</p>
|
|
<p className="mt-1 text-xs text-slate-500">
|
|
Requested{" "}
|
|
{formatApprovalTimestamp(approval.created_at)}
|
|
</p>
|
|
</div>
|
|
<span className="text-xs font-semibold text-slate-700">
|
|
{approval.confidence}% confidence · {approval.status}
|
|
</span>
|
|
</div>
|
|
{approvalRows(approval).length > 0 ? (
|
|
<div className="mt-2 grid gap-2 text-xs text-slate-600 sm:grid-cols-2">
|
|
{approvalRows(approval).map((row) => (
|
|
<div key={`${approval.id}-${row.label}`}>
|
|
<p className="text-[11px] font-semibold uppercase tracking-wider text-slate-400">
|
|
{row.label}
|
|
</p>
|
|
<p className="mt-1 text-xs text-slate-700">
|
|
{row.value}
|
|
</p>
|
|
</div>
|
|
))}
|
|
</div>
|
|
) : null}
|
|
{approvalReason(approval) ? (
|
|
<p className="mt-2 text-xs text-slate-600">
|
|
{approvalReason(approval)}
|
|
</p>
|
|
) : null}
|
|
{approval.status === "pending" ? (
|
|
<div className="mt-3 flex flex-wrap gap-2">
|
|
<Button
|
|
size="sm"
|
|
onClick={() =>
|
|
handleApprovalDecision(approval.id, "approved")
|
|
}
|
|
disabled={approvalsUpdatingId === approval.id}
|
|
>
|
|
Approve
|
|
</Button>
|
|
<Button
|
|
variant="outline"
|
|
size="sm"
|
|
onClick={() =>
|
|
handleApprovalDecision(approval.id, "rejected")
|
|
}
|
|
disabled={approvalsUpdatingId === approval.id}
|
|
className="border-slate-300 text-slate-700"
|
|
>
|
|
Reject
|
|
</Button>
|
|
</div>
|
|
) : null}
|
|
</div>
|
|
))}
|
|
</div>
|
|
)}
|
|
</div>
|
|
<div className="space-y-3">
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Comments
|
|
</p>
|
|
<div className="space-y-2 rounded-xl border border-slate-200 bg-slate-50 p-3">
|
|
<Textarea
|
|
value={newComment}
|
|
onChange={(event) => setNewComment(event.target.value)}
|
|
placeholder="Write a message for the assigned agent…"
|
|
className="min-h-[80px] bg-white"
|
|
/>
|
|
{postCommentError ? (
|
|
<p className="text-xs text-rose-600">{postCommentError}</p>
|
|
) : null}
|
|
<div className="flex justify-end">
|
|
<Button
|
|
size="sm"
|
|
onClick={handlePostComment}
|
|
disabled={isPostingComment || !newComment.trim()}
|
|
>
|
|
{isPostingComment ? "Sending…" : "Send message"}
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
{isCommentsLoading ? (
|
|
<p className="text-sm text-slate-500">Loading comments…</p>
|
|
) : commentsError ? (
|
|
<div className="rounded-lg border border-slate-200 bg-slate-50 p-3 text-xs text-slate-500">
|
|
{commentsError}
|
|
</div>
|
|
) : comments.length === 0 ? (
|
|
<p className="text-sm text-slate-500">No comments yet.</p>
|
|
) : (
|
|
<div className="space-y-3">
|
|
{comments.map((comment) => (
|
|
<TaskCommentCard
|
|
key={comment.id}
|
|
comment={comment}
|
|
authorLabel={
|
|
comment.agent_id
|
|
? (assigneeById.get(comment.agent_id) ?? "Agent")
|
|
: "Admin"
|
|
}
|
|
/>
|
|
))}
|
|
</div>
|
|
)}
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</aside>
|
|
|
|
<aside
|
|
className={cn(
|
|
"fixed right-0 top-0 z-50 h-full w-[560px] max-w-[96vw] transform border-l border-slate-200 bg-white shadow-2xl transition-transform",
|
|
isChatOpen ? "transform-none" : "translate-x-full",
|
|
)}
|
|
>
|
|
<div className="flex h-full flex-col">
|
|
<div className="flex items-center justify-between border-b border-slate-200 px-6 py-4">
|
|
<div>
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Board chat
|
|
</p>
|
|
<p className="mt-1 text-sm font-medium text-slate-900">
|
|
Talk to the lead agent. Tag others with @name.
|
|
</p>
|
|
</div>
|
|
<button
|
|
type="button"
|
|
onClick={closeBoardChat}
|
|
className="rounded-lg border border-slate-200 p-2 text-slate-500 transition hover:bg-slate-50"
|
|
aria-label="Close board chat"
|
|
>
|
|
<X className="h-4 w-4" />
|
|
</button>
|
|
</div>
|
|
<div className="flex flex-1 flex-col overflow-hidden px-6 py-4">
|
|
<div className="flex-1 space-y-4 overflow-y-auto rounded-2xl border border-slate-200 bg-white p-4">
|
|
{chatError ? (
|
|
<div className="rounded-xl border border-red-200 bg-red-50 px-3 py-2 text-sm text-red-700">
|
|
{chatError}
|
|
</div>
|
|
) : null}
|
|
{chatMessages.length === 0 ? (
|
|
<p className="text-sm text-slate-500">
|
|
No messages yet. Start the conversation with your lead agent.
|
|
</p>
|
|
) : (
|
|
chatMessages.map((message) => (
|
|
<ChatMessageCard key={message.id} message={message} />
|
|
))
|
|
)}
|
|
<div ref={chatEndRef} />
|
|
</div>
|
|
<BoardChatComposer
|
|
isSending={isChatSending}
|
|
onSend={handleSendChat}
|
|
/>
|
|
</div>
|
|
</div>
|
|
</aside>
|
|
|
|
<aside
|
|
className={cn(
|
|
"fixed right-0 top-0 z-50 h-full w-[520px] max-w-[96vw] transform border-l border-slate-200 bg-white shadow-2xl transition-transform",
|
|
isLiveFeedOpen ? "transform-none" : "translate-x-full",
|
|
)}
|
|
>
|
|
<div className="flex h-full flex-col">
|
|
<div className="flex items-center justify-between border-b border-slate-200 px-6 py-4">
|
|
<div>
|
|
<p className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Live feed
|
|
</p>
|
|
<p className="mt-1 text-sm font-medium text-slate-900">
|
|
Realtime task comments across this board.
|
|
</p>
|
|
</div>
|
|
<button
|
|
type="button"
|
|
onClick={closeLiveFeed}
|
|
className="rounded-lg border border-slate-200 p-2 text-slate-500 transition hover:bg-slate-50"
|
|
aria-label="Close live feed"
|
|
>
|
|
<X className="h-4 w-4" />
|
|
</button>
|
|
</div>
|
|
<div className="flex-1 overflow-y-auto px-6 py-4">
|
|
{orderedLiveFeed.length === 0 ? (
|
|
<p className="text-sm text-slate-500">
|
|
Waiting for new comments…
|
|
</p>
|
|
) : (
|
|
<div className="space-y-3">
|
|
{orderedLiveFeed.map((comment) => {
|
|
const taskId = comment.task_id;
|
|
const authorAgent = comment.agent_id
|
|
? (agents.find((agent) => agent.id === comment.agent_id) ??
|
|
null)
|
|
: null;
|
|
const authorName = authorAgent ? authorAgent.name : "Admin";
|
|
const authorRole = authorAgent
|
|
? agentRoleLabel(authorAgent)
|
|
: null;
|
|
const authorAvatar = authorAgent
|
|
? agentAvatarLabel(authorAgent)
|
|
: "A";
|
|
return (
|
|
<LiveFeedCard
|
|
key={comment.id}
|
|
comment={comment}
|
|
taskTitle={
|
|
taskId ? (taskTitleById.get(taskId) ?? "Task") : "Task"
|
|
}
|
|
authorName={authorName}
|
|
authorRole={authorRole}
|
|
authorAvatar={authorAvatar}
|
|
onViewTask={
|
|
taskId ? () => openComments({ id: taskId }) : undefined
|
|
}
|
|
/>
|
|
);
|
|
})}
|
|
</div>
|
|
)}
|
|
</div>
|
|
</div>
|
|
</aside>
|
|
|
|
<Dialog open={isEditDialogOpen} onOpenChange={setIsEditDialogOpen}>
|
|
<DialogContent aria-label="Edit task">
|
|
<DialogHeader>
|
|
<DialogTitle>Edit task</DialogTitle>
|
|
<DialogDescription>
|
|
Update task details, priority, status, or assignment.
|
|
</DialogDescription>
|
|
</DialogHeader>
|
|
<div className="space-y-4">
|
|
<div className="space-y-2">
|
|
<label className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Title
|
|
</label>
|
|
<Input
|
|
value={editTitle}
|
|
onChange={(event) => setEditTitle(event.target.value)}
|
|
placeholder="Task title"
|
|
disabled={!selectedTask || isSavingTask}
|
|
/>
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Description
|
|
</label>
|
|
<Textarea
|
|
value={editDescription}
|
|
onChange={(event) => setEditDescription(event.target.value)}
|
|
placeholder="Task details"
|
|
className="min-h-[140px]"
|
|
disabled={!selectedTask || isSavingTask}
|
|
/>
|
|
</div>
|
|
<div className="grid gap-4 md:grid-cols-2">
|
|
<div className="space-y-2">
|
|
<label className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Status
|
|
</label>
|
|
<Select
|
|
value={editStatus}
|
|
onValueChange={(value) => setEditStatus(value as TaskStatus)}
|
|
disabled={!selectedTask || isSavingTask}
|
|
>
|
|
<SelectTrigger>
|
|
<SelectValue placeholder="Select status" />
|
|
</SelectTrigger>
|
|
<SelectContent>
|
|
{statusOptions.map((option) => (
|
|
<SelectItem key={option.value} value={option.value}>
|
|
{option.label}
|
|
</SelectItem>
|
|
))}
|
|
</SelectContent>
|
|
</Select>
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Priority
|
|
</label>
|
|
<Select
|
|
value={editPriority}
|
|
onValueChange={setEditPriority}
|
|
disabled={!selectedTask || isSavingTask}
|
|
>
|
|
<SelectTrigger>
|
|
<SelectValue placeholder="Select priority" />
|
|
</SelectTrigger>
|
|
<SelectContent>
|
|
{priorities.map((option) => (
|
|
<SelectItem key={option.value} value={option.value}>
|
|
{option.label}
|
|
</SelectItem>
|
|
))}
|
|
</SelectContent>
|
|
</Select>
|
|
</div>
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Assignee
|
|
</label>
|
|
<Select
|
|
value={editAssigneeId || "unassigned"}
|
|
onValueChange={(value) =>
|
|
setEditAssigneeId(value === "unassigned" ? "" : value)
|
|
}
|
|
disabled={!selectedTask || isSavingTask}
|
|
>
|
|
<SelectTrigger>
|
|
<SelectValue placeholder="Unassigned" />
|
|
</SelectTrigger>
|
|
<SelectContent>
|
|
<SelectItem value="unassigned">Unassigned</SelectItem>
|
|
{assignableAgents.map((agent) => (
|
|
<SelectItem key={agent.id} value={agent.id}>
|
|
{agent.name}
|
|
</SelectItem>
|
|
))}
|
|
</SelectContent>
|
|
</Select>
|
|
{assignableAgents.length === 0 ? (
|
|
<p className="text-xs text-slate-500">
|
|
Add agents to assign tasks.
|
|
</p>
|
|
) : null}
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-xs font-semibold uppercase tracking-wider text-slate-500">
|
|
Dependencies
|
|
</label>
|
|
<p className="text-xs text-slate-500">
|
|
Tasks stay blocked until every dependency is marked done.
|
|
</p>
|
|
<DropdownSelect
|
|
ariaLabel="Add dependency"
|
|
placeholder="Add dependency"
|
|
options={dependencyOptions}
|
|
onValueChange={addTaskDependency}
|
|
disabled={
|
|
!selectedTask ||
|
|
isSavingTask ||
|
|
selectedTask.status === "done"
|
|
}
|
|
emptyMessage="No other tasks found."
|
|
/>
|
|
{selectedTask?.status === "done" ? (
|
|
<p className="text-xs text-slate-500">
|
|
Dependencies can only be edited until the task is done.
|
|
</p>
|
|
) : null}
|
|
{editDependsOnTaskIds.length === 0 ? (
|
|
<p className="text-xs text-slate-500">No dependencies.</p>
|
|
) : (
|
|
<div className="flex flex-wrap gap-2">
|
|
{editDependsOnTaskIds.map((depId) => {
|
|
const depTask = taskById.get(depId);
|
|
const label = depTask?.title ?? depId;
|
|
const statusLabel = depTask?.status
|
|
? depTask.status.replace(/_/g, " ")
|
|
: null;
|
|
const isDone = depTask?.status === "done";
|
|
return (
|
|
<span
|
|
key={depId}
|
|
className={cn(
|
|
"inline-flex items-center gap-2 rounded-full border px-3 py-1 text-xs",
|
|
isDone
|
|
? "border-emerald-200 bg-emerald-50 text-emerald-800"
|
|
: "border-slate-200 bg-slate-50 text-slate-700",
|
|
)}
|
|
>
|
|
<span className="max-w-[18rem] truncate">{label}</span>
|
|
{statusLabel ? (
|
|
<span className="text-[10px] font-semibold uppercase tracking-wide text-slate-400">
|
|
{statusLabel}
|
|
</span>
|
|
) : null}
|
|
{selectedTask?.status !== "done" ? (
|
|
<button
|
|
type="button"
|
|
onClick={() => removeTaskDependency(depId)}
|
|
className="rounded-full p-0.5 text-slate-500 transition hover:bg-white hover:text-slate-700"
|
|
aria-label="Remove dependency"
|
|
>
|
|
<X className="h-3 w-3" />
|
|
</button>
|
|
) : null}
|
|
</span>
|
|
);
|
|
})}
|
|
</div>
|
|
)}
|
|
</div>
|
|
{saveTaskError ? (
|
|
<div className="rounded-lg border border-slate-200 bg-white p-3 text-xs text-slate-600">
|
|
{saveTaskError}
|
|
</div>
|
|
) : null}
|
|
</div>
|
|
<DialogFooter className="flex flex-wrap gap-2">
|
|
<Button
|
|
variant="outline"
|
|
onClick={() => setIsDeleteDialogOpen(true)}
|
|
disabled={!selectedTask || isSavingTask}
|
|
className="border-rose-200 text-rose-600 hover:border-rose-300 hover:text-rose-700"
|
|
>
|
|
Delete task
|
|
</Button>
|
|
<Button
|
|
variant="outline"
|
|
onClick={handleTaskReset}
|
|
disabled={!selectedTask || isSavingTask || !hasTaskChanges}
|
|
>
|
|
Reset
|
|
</Button>
|
|
<Button
|
|
onClick={() => handleTaskSave(true)}
|
|
disabled={!selectedTask || isSavingTask || !hasTaskChanges}
|
|
>
|
|
{isSavingTask ? "Saving…" : "Save changes"}
|
|
</Button>
|
|
</DialogFooter>
|
|
</DialogContent>
|
|
</Dialog>
|
|
|
|
<Dialog open={isDeleteDialogOpen} onOpenChange={setIsDeleteDialogOpen}>
|
|
<DialogContent aria-label="Delete task">
|
|
<DialogHeader>
|
|
<DialogTitle>Delete task</DialogTitle>
|
|
<DialogDescription>
|
|
This removes the task permanently. This action cannot be undone.
|
|
</DialogDescription>
|
|
</DialogHeader>
|
|
{deleteTaskError ? (
|
|
<div className="rounded-lg border border-rose-200 bg-rose-50 p-3 text-xs text-rose-600">
|
|
{deleteTaskError}
|
|
</div>
|
|
) : null}
|
|
<DialogFooter className="flex flex-wrap gap-2">
|
|
<Button
|
|
variant="outline"
|
|
onClick={() => setIsDeleteDialogOpen(false)}
|
|
disabled={isDeletingTask}
|
|
>
|
|
Cancel
|
|
</Button>
|
|
<Button
|
|
onClick={handleDeleteTask}
|
|
disabled={isDeletingTask}
|
|
className="bg-rose-600 text-white hover:bg-rose-700"
|
|
>
|
|
{isDeletingTask ? "Deleting…" : "Delete task"}
|
|
</Button>
|
|
</DialogFooter>
|
|
</DialogContent>
|
|
</Dialog>
|
|
|
|
<Dialog
|
|
open={isDialogOpen}
|
|
onOpenChange={(nextOpen) => {
|
|
setIsDialogOpen(nextOpen);
|
|
if (!nextOpen) {
|
|
resetForm();
|
|
}
|
|
}}
|
|
>
|
|
<DialogContent aria-label={titleLabel}>
|
|
<DialogHeader>
|
|
<DialogTitle>New task</DialogTitle>
|
|
<DialogDescription>
|
|
Add a task to the inbox and triage it when you are ready.
|
|
</DialogDescription>
|
|
</DialogHeader>
|
|
<div className="space-y-4">
|
|
<div className="space-y-2">
|
|
<label className="text-sm font-medium text-strong">Title</label>
|
|
<Input
|
|
value={title}
|
|
onChange={(event) => setTitle(event.target.value)}
|
|
placeholder="e.g. Prepare launch notes"
|
|
/>
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-sm font-medium text-strong">
|
|
Description
|
|
</label>
|
|
<Textarea
|
|
value={description}
|
|
onChange={(event) => setDescription(event.target.value)}
|
|
placeholder="Optional details"
|
|
className="min-h-[120px]"
|
|
/>
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-sm font-medium text-strong">
|
|
Priority
|
|
</label>
|
|
<Select value={priority} onValueChange={setPriority}>
|
|
<SelectTrigger>
|
|
<SelectValue placeholder="Select priority" />
|
|
</SelectTrigger>
|
|
<SelectContent>
|
|
{priorities.map((item) => (
|
|
<SelectItem key={item.value} value={item.value}>
|
|
{item.label}
|
|
</SelectItem>
|
|
))}
|
|
</SelectContent>
|
|
</Select>
|
|
</div>
|
|
{createError ? (
|
|
<div className="rounded-lg border border-[color:var(--border)] bg-[color:var(--surface-muted)] p-3 text-xs text-muted">
|
|
{createError}
|
|
</div>
|
|
) : null}
|
|
</div>
|
|
<DialogFooter>
|
|
<Button variant="outline" onClick={() => setIsDialogOpen(false)}>
|
|
Cancel
|
|
</Button>
|
|
<Button onClick={handleCreateTask} disabled={isCreating}>
|
|
{isCreating ? "Creating…" : "Create task"}
|
|
</Button>
|
|
</DialogFooter>
|
|
</DialogContent>
|
|
</Dialog>
|
|
|
|
{/* onboarding moved to board settings */}
|
|
</DashboardShell>
|
|
);
|
|
}
|