import { ActionBarPrimitive, AssistantIf, BranchPickerPrimitive, ComposerPrimitive, ErrorPrimitive, MessagePrimitive, ThreadPrimitive, useAssistantState, useComposerRuntime, useThreadViewport, } from "@assistant-ui/react"; import { useAtom, useAtomValue, useSetAtom } from "jotai"; import { AlertCircle, ArrowDownIcon, ArrowUpIcon, Brain, CheckCircle2, CheckIcon, ChevronLeftIcon, ChevronRightIcon, CopyIcon, DownloadIcon, FileText, Loader2, PencilIcon, Plug2, Plus, RefreshCwIcon, Search, Sparkles, SquareIcon, } from "lucide-react"; import Link from "next/link"; import { useParams } from "next/navigation"; import { createContext, type FC, useCallback, useContext, useEffect, useMemo, useRef, useState, } from "react"; import { createPortal } from "react-dom"; import { getDocumentTypeLabel } from "@/app/dashboard/[search_space_id]/documents/(manage)/components/DocumentTypeIcon"; import { mentionedDocumentIdsAtom, mentionedDocumentsAtom, messageDocumentsMapAtom, } from "@/atoms/chat/mentioned-documents.atom"; import { documentTypeCountsAtom } from "@/atoms/documents/document-query.atoms"; import { globalNewLLMConfigsAtom, llmPreferencesAtom, newLLMConfigsAtom, } from "@/atoms/new-llm-config/new-llm-config-query.atoms"; import { activeSearchSpaceIdAtom } from "@/atoms/search-spaces/search-space-query.atoms"; import { currentUserAtom } from "@/atoms/user/user-query.atoms"; import { ComposerAddAttachment, ComposerAttachments, UserMessageAttachments, } from "@/components/assistant-ui/attachment"; import { InlineMentionEditor, type InlineMentionEditorRef, } from "@/components/assistant-ui/inline-mention-editor"; import { MarkdownText } from "@/components/assistant-ui/markdown-text"; import { ToolFallback } from "@/components/assistant-ui/tool-fallback"; import { TooltipIconButton } from "@/components/assistant-ui/tooltip-icon-button"; import { DocumentsDataTable, type DocumentsDataTableRef, } from "@/components/new-chat/DocumentsDataTable"; import { ChainOfThought, ChainOfThoughtContent, ChainOfThoughtItem, ChainOfThoughtStep, ChainOfThoughtTrigger, } from "@/components/prompt-kit/chain-of-thought"; import type { ThinkingStep } from "@/components/tool-ui/deepagent-thinking"; import { Button } from "@/components/ui/button"; import { Popover, PopoverContent, PopoverTrigger } from "@/components/ui/popover"; import { getConnectorIcon } from "@/contracts/enums/connectorIcons"; import type { Document } from "@/contracts/types/document.types"; import { useSearchSourceConnectors } from "@/hooks/use-search-source-connectors"; import { cn } from "@/lib/utils"; /** * Props for the Thread component */ interface ThreadProps { messageThinkingSteps?: Map; /** Optional header component to render at the top of the viewport (sticky) */ header?: React.ReactNode; } // Context to pass thinking steps to AssistantMessage const ThinkingStepsContext = createContext>(new Map()); /** * Get icon based on step status and title */ function getStepIcon(status: "pending" | "in_progress" | "completed", title: string) { const titleLower = title.toLowerCase(); if (status === "in_progress") { return ; } if (status === "completed") { return ; } if (titleLower.includes("search") || titleLower.includes("knowledge")) { return ; } if (titleLower.includes("analy") || titleLower.includes("understand")) { return ; } return ; } /** * Chain of thought display component with smart expand/collapse behavior */ const ThinkingStepsDisplay: FC<{ steps: ThinkingStep[]; isThreadRunning?: boolean }> = ({ steps, isThreadRunning = true, }) => { // Track which steps the user has manually toggled (overrides auto behavior) const [manualOverrides, setManualOverrides] = useState>({}); // Track previous step statuses to detect changes const prevStatusesRef = useRef>({}); // Derive effective status: if thread stopped and step is in_progress, treat as completed const getEffectiveStatus = (step: ThinkingStep): "pending" | "in_progress" | "completed" => { if (step.status === "in_progress" && !isThreadRunning) { return "completed"; // Thread was stopped, so mark as completed } return step.status; }; // Check if any step is effectively in progress const hasInProgressStep = steps.some((step) => getEffectiveStatus(step) === "in_progress"); // Find the last completed step index (using effective status) const lastCompletedIndex = steps .map((s, i) => (getEffectiveStatus(s) === "completed" ? i : -1)) .filter((i) => i !== -1) .pop(); // Clear manual overrides when a step's status changes useEffect(() => { const currentStatuses: Record = {}; steps.forEach((step) => { currentStatuses[step.id] = step.status; // If status changed, clear any manual override for this step if (prevStatusesRef.current[step.id] && prevStatusesRef.current[step.id] !== step.status) { setManualOverrides((prev) => { const next = { ...prev }; delete next[step.id]; return next; }); } }); prevStatusesRef.current = currentStatuses; }, [steps]); if (steps.length === 0) return null; const getStepOpenState = (step: ThinkingStep, index: number): boolean => { const effectiveStatus = getEffectiveStatus(step); // If user has manually toggled, respect that if (manualOverrides[step.id] !== undefined) { return manualOverrides[step.id]; } // Auto behavior: open if in progress if (effectiveStatus === "in_progress") { return true; } // Auto behavior: keep last completed step open if no in-progress step if (!hasInProgressStep && index === lastCompletedIndex) { return true; } // Default: collapsed return false; }; const handleToggle = (stepId: string, currentOpen: boolean) => { setManualOverrides((prev) => ({ ...prev, [stepId]: !currentOpen, })); }; return (
{steps.map((step, index) => { const effectiveStatus = getEffectiveStatus(step); const icon = getStepIcon(effectiveStatus, step.title); const isOpen = getStepOpenState(step, index); return ( handleToggle(step.id, isOpen)} > {step.title} {step.items && step.items.length > 0 && ( {step.items.map((item, idx) => ( {item} ))} )} ); })}
); }; /** * Component that handles auto-scroll when thinking steps update. * Uses useThreadViewport to scroll to bottom when thinking steps change, * ensuring the user always sees the latest content during streaming. */ const _ThinkingStepsScrollHandler: FC = () => { const thinkingStepsMap = useContext(ThinkingStepsContext); const viewport = useThreadViewport(); const isRunning = useAssistantState(({ thread }) => thread.isRunning); // Track the serialized state to detect any changes const prevStateRef = useRef(""); useEffect(() => { // Only act during streaming if (!isRunning) { prevStateRef.current = ""; return; } // Serialize the thinking steps state to detect any changes // This catches new steps, status changes, and item additions let stateString = ""; thinkingStepsMap.forEach((steps, msgId) => { steps.forEach((step) => { stateString += `${msgId}:${step.id}:${step.status}:${step.items?.length || 0};`; }); }); // If state changed at all during streaming, scroll if (stateString !== prevStateRef.current && stateString !== "") { prevStateRef.current = stateString; // Multiple attempts to ensure scroll happens after DOM updates const scrollAttempt = () => { try { viewport.scrollToBottom(); } catch { // Ignore errors - viewport might not be ready } }; // Delayed attempts to handle async DOM updates requestAnimationFrame(scrollAttempt); setTimeout(scrollAttempt, 100); } }, [thinkingStepsMap, viewport, isRunning]); return null; // This component doesn't render anything }; export const Thread: FC = ({ messageThinkingSteps = new Map(), header }) => { return ( {/* Optional sticky header for model selector etc. */} {header &&
{header}
} thread.isEmpty}> !thread.isEmpty}>
); }; const ThreadScrollToBottom: FC = () => { return ( ); }; const getTimeBasedGreeting = (userEmail?: string): string => { const hour = new Date().getHours(); // Extract first name from email if available const firstName = userEmail ? userEmail.split("@")[0].split(".")[0].charAt(0).toUpperCase() + userEmail.split("@")[0].split(".")[0].slice(1) : null; // Array of greeting variations for each time period const morningGreetings = ["Good morning", "Fresh start today", "Morning", "Hey there"]; const afternoonGreetings = ["Good afternoon", "Afternoon", "Hey there", "Hi there"]; const eveningGreetings = ["Good evening", "Evening", "Hey there", "Hi there"]; const nightGreetings = ["Good night", "Evening", "Hey there", "Winding down"]; const lateNightGreetings = ["Still up", "Night owl mode", "Up past bedtime", "Hi there"]; // Select a random greeting based on time let greeting: string; if (hour < 5) { // Late night: midnight to 5 AM greeting = lateNightGreetings[Math.floor(Math.random() * lateNightGreetings.length)]; } else if (hour < 12) { greeting = morningGreetings[Math.floor(Math.random() * morningGreetings.length)]; } else if (hour < 18) { greeting = afternoonGreetings[Math.floor(Math.random() * afternoonGreetings.length)]; } else if (hour < 22) { greeting = eveningGreetings[Math.floor(Math.random() * eveningGreetings.length)]; } else { // Night: 10 PM to midnight greeting = nightGreetings[Math.floor(Math.random() * nightGreetings.length)]; } // Add personalization with first name if available if (firstName) { return `${greeting}, ${firstName}!`; } return `${greeting}!`; }; const ThreadWelcome: FC = () => { const { data: user } = useAtomValue(currentUserAtom); // Memoize greeting so it doesn't change on re-renders (only on user change) const greeting = useMemo(() => getTimeBasedGreeting(user?.email), [user?.email]); return (
{/* Greeting positioned above the composer - fixed position */}

{greeting}

{/* Composer - top edge fixed, expands downward only */}
); }; const Composer: FC = () => { // ---- State for document mentions (using atoms to persist across remounts) ---- const [mentionedDocuments, setMentionedDocuments] = useAtom(mentionedDocumentsAtom); const [showDocumentPopover, setShowDocumentPopover] = useState(false); const [mentionQuery, setMentionQuery] = useState(""); const editorRef = useRef(null); const editorContainerRef = useRef(null); const documentPickerRef = useRef(null); const { search_space_id } = useParams(); const setMentionedDocumentIds = useSetAtom(mentionedDocumentIdsAtom); const composerRuntime = useComposerRuntime(); // Sync mentioned document IDs to atom for use in chat request useEffect(() => { setMentionedDocumentIds(mentionedDocuments.map((doc) => doc.id)); }, [mentionedDocuments, setMentionedDocumentIds]); // Handle text change from inline editor - sync with assistant-ui composer const handleEditorChange = useCallback( (text: string) => { composerRuntime.setText(text); }, [composerRuntime] ); // Handle @ mention trigger from inline editor const handleMentionTrigger = useCallback((query: string) => { setShowDocumentPopover(true); setMentionQuery(query); }, []); // Handle mention close const handleMentionClose = useCallback(() => { if (showDocumentPopover) { setShowDocumentPopover(false); setMentionQuery(""); } }, [showDocumentPopover]); // Handle keyboard navigation when popover is open const handleKeyDown = useCallback( (e: React.KeyboardEvent) => { if (showDocumentPopover) { if (e.key === "ArrowDown") { e.preventDefault(); documentPickerRef.current?.moveDown(); return; } if (e.key === "ArrowUp") { e.preventDefault(); documentPickerRef.current?.moveUp(); return; } if (e.key === "Enter") { e.preventDefault(); documentPickerRef.current?.selectHighlighted(); return; } if (e.key === "Escape") { e.preventDefault(); setShowDocumentPopover(false); setMentionQuery(""); return; } } }, [showDocumentPopover] ); // Handle submit from inline editor (Enter key) const handleSubmit = useCallback(() => { if (!showDocumentPopover) { composerRuntime.send(); // Clear the editor after sending editorRef.current?.clear(); setMentionedDocuments([]); setMentionedDocumentIds([]); } }, [showDocumentPopover, composerRuntime, setMentionedDocuments, setMentionedDocumentIds]); // Handle document removal from inline editor const handleDocumentRemove = useCallback( (docId: number) => { setMentionedDocuments((prev) => { const updated = prev.filter((doc) => doc.id !== docId); // Immediately sync document IDs to avoid race conditions setMentionedDocumentIds(updated.map((doc) => doc.id)); return updated; }); }, [setMentionedDocuments, setMentionedDocumentIds] ); // Handle document selection from picker const handleDocumentsMention = useCallback( (documents: Document[]) => { // Insert chips into the inline editor for each new document const existingIds = new Set(mentionedDocuments.map((d) => d.id)); const newDocs = documents.filter((doc) => !existingIds.has(doc.id)); for (const doc of newDocs) { editorRef.current?.insertDocumentChip(doc); } // Update mentioned documents state setMentionedDocuments((prev) => { const existingIdSet = new Set(prev.map((d) => d.id)); const uniqueNewDocs = documents.filter((doc) => !existingIdSet.has(doc.id)); const updated = [...prev, ...uniqueNewDocs]; // Immediately sync document IDs to avoid race conditions setMentionedDocumentIds(updated.map((doc) => doc.id)); return updated; }); // Reset mention query but keep popover open for more selections setMentionQuery(""); }, [mentionedDocuments, setMentionedDocuments, setMentionedDocumentIds] ); return ( {/* -------- Inline Mention Editor -------- */}
{/* -------- Document mention popover (rendered via portal) -------- */} {showDocumentPopover && typeof document !== "undefined" && createPortal( <> {/* Backdrop */} {hasSources ? (

Connected Sources

{totalSourceCount}
{/* Document types from the search space */} {activeDocumentTypes.map(([docType]) => (
{getConnectorIcon(docType, "size-3.5")} {getDocumentTypeLabel(docType)}
))} {/* Search source connectors */} {connectors.map((connector) => (
{getConnectorIcon(connector.connector_type, "size-3.5")} {connector.name}
))}
Add more sources
) : (

No sources yet

Add documents or connect data sources to enhance search results.

Add Connector
)}
); }; const ComposerAction: FC = () => { // Check if any attachments are still being processed (running AND progress < 100) // When progress is 100, processing is done but waiting for send() const hasProcessingAttachments = useAssistantState(({ composer }) => composer.attachments?.some((att) => { const status = att.status; if (status?.type !== "running") return false; const progress = (status as { type: "running"; progress?: number }).progress; return progress === undefined || progress < 100; }) ); // Check if composer text is empty const isComposerEmpty = useAssistantState(({ composer }) => { const text = composer.text?.trim() || ""; return text.length === 0; }); // Check if a model is configured const { data: userConfigs } = useAtomValue(newLLMConfigsAtom); const { data: globalConfigs } = useAtomValue(globalNewLLMConfigsAtom); const { data: preferences } = useAtomValue(llmPreferencesAtom); const hasModelConfigured = useMemo(() => { if (!preferences) return false; const agentLlmId = preferences.agent_llm_id; if (agentLlmId === null || agentLlmId === undefined) return false; // Check if the configured model actually exists if (agentLlmId < 0) { return globalConfigs?.some((c) => c.id === agentLlmId) ?? false; } return userConfigs?.some((c) => c.id === agentLlmId) ?? false; }, [preferences, globalConfigs, userConfigs]); const isSendDisabled = hasProcessingAttachments || isComposerEmpty || !hasModelConfigured; return (
{/* Show processing indicator when attachments are being processed */} {hasProcessingAttachments && (
Processing...
)} {/* Show warning when no model is configured */} {!hasModelConfigured && !hasProcessingAttachments && (
Select a model
)} !thread.isRunning}> thread.isRunning}>
); }; const MessageError: FC = () => { return ( ); }; /** * Custom component to render thinking steps from Context */ const ThinkingStepsPart: FC = () => { const thinkingStepsMap = useContext(ThinkingStepsContext); // Get the current message ID to look up thinking steps const messageId = useAssistantState(({ message }) => message?.id); const thinkingSteps = thinkingStepsMap.get(messageId) || []; // Check if thread is still running (for stopping the spinner when cancelled) const isThreadRunning = useAssistantState(({ thread }) => thread.isRunning); if (thinkingSteps.length === 0) return null; return (
); }; const AssistantMessageInner: FC = () => { return ( <> {/* Render thinking steps from message content - this ensures proper scroll tracking */}
); }; const AssistantMessage: FC = () => { return ( ); }; const AssistantActionBar: FC = () => { return ( message.isCopied}> !message.isCopied}> ); }; const UserMessage: FC = () => { const messageId = useAssistantState(({ message }) => message?.id); const messageDocumentsMap = useAtomValue(messageDocumentsMapAtom); const mentionedDocs = messageId ? messageDocumentsMap[messageId] : undefined; return (
{/* Display mentioned documents as chips */} {mentionedDocs && mentionedDocs.length > 0 && (
{mentionedDocs.map((doc) => ( {doc.title} ))}
)} {/* Message bubble with action bar positioned relative to it */}
); }; const UserActionBar: FC = () => { return ( ); }; const EditComposer: FC = () => { return (
); }; const BranchPicker: FC = ({ className, ...rest }) => { return ( / ); };