Files
agent-chat-ui/src/components/thread/index.tsx

399 lines
13 KiB
TypeScript
Raw Normal View History

2025-03-03 12:40:24 -08:00
import { v4 as uuidv4 } from "uuid";
2025-03-04 15:37:40 +01:00
import { ReactNode, useEffect, useRef } from "react";
2025-03-06 15:58:02 -08:00
import { motion } from "framer-motion";
import { cn } from "@/lib/utils";
import { useStreamContext } from "@/providers/Stream";
import { useState, FormEvent } from "react";
import { Button } from "../ui/button";
2025-03-03 13:24:24 -08:00
import { Checkpoint, Message } from "@langchain/langgraph-sdk";
import { AssistantMessage, AssistantMessageLoading } from "./messages/ai";
import { HumanMessage } from "./messages/human";
2025-03-03 12:40:24 -08:00
import {
DO_NOT_RENDER_ID_PREFIX,
ensureToolCallsHaveResponses,
} from "@/lib/ensure-tool-responses";
2025-03-03 12:51:21 -08:00
import { LangGraphLogoSVG } from "../icons/langgraph";
2025-03-03 13:13:57 -08:00
import { TooltipIconButton } from "./tooltip-icon-button";
2025-03-04 11:01:19 -08:00
import {
ArrowDown,
LoaderCircle,
PanelRightOpen,
2025-03-12 01:27:22 +05:30
PanelRightClose,
2025-03-04 11:01:19 -08:00
SquarePen,
} from "lucide-react";
import { useQueryState, parseAsBoolean } from "nuqs";
2025-03-04 15:37:40 +01:00
import { StickToBottom, useStickToBottomContext } from "use-stick-to-bottom";
2025-03-04 10:34:52 -08:00
import ThreadHistory from "./history";
import { toast } from "sonner";
2025-03-06 15:58:02 -08:00
import { useMediaQuery } from "@/hooks/useMediaQuery";
2025-03-11 10:59:49 -07:00
import { Label } from "../ui/label";
import { Switch } from "../ui/switch";
2025-03-04 15:37:40 +01:00
function StickyToBottomContent(props: {
content: ReactNode;
footer?: ReactNode;
className?: string;
contentClassName?: string;
}) {
const context = useStickToBottomContext();
return (
<div
ref={context.scrollRef}
style={{ width: "100%", height: "100%" }}
className={props.className}
>
<div ref={context.contentRef} className={props.contentClassName}>
{props.content}
</div>
{props.footer}
</div>
);
}
2025-03-04 15:56:36 +01:00
function ScrollToBottom(props: { className?: string }) {
const { isAtBottom, scrollToBottom } = useStickToBottomContext();
if (isAtBottom) return null;
return (
<Button
variant="outline"
className={props.className}
onClick={() => scrollToBottom()}
>
<ArrowDown className="w-4 h-4" />
<span>Scroll to bottom</span>
</Button>
);
}
export function Thread() {
const [threadId, setThreadId] = useQueryState("threadId");
const [chatHistoryOpen, setChatHistoryOpen] = useQueryState(
2025-03-04 11:01:19 -08:00
"chatHistoryOpen",
parseAsBoolean.withDefault(false),
2025-03-04 11:01:19 -08:00
);
const [hideToolCalls, setHideToolCalls] = useQueryState(
2025-03-11 10:59:49 -07:00
"hideToolCalls",
parseAsBoolean.withDefault(false),
2025-03-11 10:59:49 -07:00
);
const [input, setInput] = useState("");
const [firstTokenReceived, setFirstTokenReceived] = useState(false);
2025-03-06 15:58:02 -08:00
const isLargeScreen = useMediaQuery("(min-width: 1024px)");
2025-03-04 15:54:43 +01:00
const stream = useStreamContext();
const messages = stream.messages;
const isLoading = stream.isLoading;
const lastError = useRef<string | undefined>(undefined);
useEffect(() => {
if (!stream.error) {
lastError.current = undefined;
return;
}
try {
const message = (stream.error as any).message;
if (!message || lastError.current === message) {
// Message has already been logged. do not modify ref, return early.
return;
}
// Message is defined, and it has not been logged yet. Save it, and send the error
lastError.current = message;
toast.error("An error occurred. Please try again.", {
description: (
<p>
<strong>Error:</strong> <code>{message}</code>
</p>
),
richColors: true,
closeButton: true,
});
} catch {
// no-op
}
}, [stream.error]);
2025-03-04 14:44:55 +01:00
// TODO: this should be part of the useStream hook
2025-03-04 15:54:43 +01:00
const prevMessageLength = useRef(0);
useEffect(() => {
if (
messages.length !== prevMessageLength.current &&
messages?.length &&
messages[messages.length - 1].type === "ai"
) {
setFirstTokenReceived(true);
}
2025-03-04 15:46:40 +01:00
prevMessageLength.current = messages.length;
}, [messages]);
const handleSubmit = (e: FormEvent) => {
e.preventDefault();
if (!input.trim() || isLoading) return;
setFirstTokenReceived(false);
2025-03-03 12:40:24 -08:00
const newHumanMessage: Message = {
id: uuidv4(),
type: "human",
content: input,
};
2025-03-04 13:45:02 +01:00
const toolMessages = ensureToolCallsHaveResponses(stream.messages);
stream.submit(
2025-03-04 13:45:02 +01:00
{ messages: [...toolMessages, newHumanMessage] },
2025-03-04 14:44:55 +01:00
{
streamMode: ["values"],
optimisticValues: (prev) => ({
...prev,
messages: [
...(prev.messages ?? []),
...toolMessages,
newHumanMessage,
],
}),
},
);
setInput("");
};
2025-03-03 13:24:24 -08:00
const handleRegenerate = (
2025-03-04 14:12:56 +01:00
parentCheckpoint: Checkpoint | null | undefined,
2025-03-03 13:24:24 -08:00
) => {
// Do this so the loading state is correct
prevMessageLength.current = prevMessageLength.current - 1;
setFirstTokenReceived(false);
stream.submit(undefined, {
checkpoint: parentCheckpoint,
streamMode: ["values"],
});
};
2025-03-05 15:33:02 -08:00
const chatStarted = !!threadId || !!messages.length;
return (
2025-03-04 10:34:52 -08:00
<div className="flex w-full h-screen overflow-hidden">
2025-03-06 15:58:02 -08:00
<div className="relative lg:flex hidden">
<motion.div
className="absolute h-full border-r bg-white overflow-hidden z-20"
style={{ width: 300 }}
animate={
isLargeScreen
? { x: chatHistoryOpen ? 0 : -300 }
: { x: chatHistoryOpen ? 0 : -300 }
}
initial={{ x: -300 }}
transition={
isLargeScreen
? { type: "spring", stiffness: 300, damping: 30 }
: { duration: 0 }
}
>
<div className="relative h-full" style={{ width: 300 }}>
<ThreadHistory />
</div>
</motion.div>
</div>
<motion.div
2025-03-04 15:37:40 +01:00
className={cn(
2025-03-06 15:58:02 -08:00
"flex-1 flex flex-col min-w-0 overflow-hidden relative",
!chatStarted && "grid-rows-[1fr]",
2025-03-03 12:51:21 -08:00
)}
2025-03-06 15:58:02 -08:00
layout={isLargeScreen}
animate={{
marginLeft: chatHistoryOpen ? (isLargeScreen ? 300 : 0) : 0,
width: chatHistoryOpen
? isLargeScreen
? "calc(100% - 300px)"
: "100%"
: "100%",
}}
transition={
isLargeScreen
? { type: "spring", stiffness: 300, damping: 30 }
: { duration: 0 }
}
2025-03-04 15:37:40 +01:00
>
2025-03-06 15:58:02 -08:00
{!chatStarted && (
2025-03-06 16:05:58 -08:00
<div className="absolute top-0 left-0 w-full flex items-center justify-between gap-3 p-2 pl-4 z-10">
2025-03-06 15:58:02 -08:00
{(!chatHistoryOpen || !isLargeScreen) && (
<Button
className="hover:bg-gray-100"
variant="ghost"
onClick={() => setChatHistoryOpen((p) => !p)}
>
2025-03-12 01:27:22 +05:30
{chatHistoryOpen ? (
<PanelRightOpen className="size-5" />
) : (
<PanelRightClose className="size-5" />
)}
2025-03-06 15:58:02 -08:00
</Button>
)}
</div>
)}
{chatStarted && (
2025-03-04 15:37:40 +01:00
<div className="flex items-center justify-between gap-3 p-2 pl-4 z-10 relative">
2025-03-06 16:05:58 -08:00
<div className="flex items-center justify-start gap-2 relative">
<div className="absolute left-0 z-10">
{(!chatHistoryOpen || !isLargeScreen) && (
<Button
className="hover:bg-gray-100"
variant="ghost"
onClick={() => setChatHistoryOpen((p) => !p)}
>
2025-03-12 01:27:22 +05:30
{chatHistoryOpen ? (
<PanelRightOpen className="size-5" />
) : (
<PanelRightClose className="size-5" />
)}
2025-03-06 16:05:58 -08:00
</Button>
)}
</div>
<motion.button
2025-03-04 11:01:19 -08:00
className="flex gap-2 items-center cursor-pointer"
onClick={() => setThreadId(null)}
2025-03-06 16:05:58 -08:00
animate={{
marginLeft: !chatHistoryOpen ? 48 : 0,
}}
transition={{
type: "spring",
stiffness: 300,
damping: 30,
}}
2025-03-04 11:01:19 -08:00
>
<LangGraphLogoSVG width={32} height={32} />
<span className="text-xl font-semibold tracking-tight">
2025-03-10 16:30:10 -07:00
Agent Chat
2025-03-04 11:01:19 -08:00
</span>
2025-03-06 16:05:58 -08:00
</motion.button>
2025-03-04 11:01:19 -08:00
</div>
2025-03-04 15:43:35 +01:00
2025-03-04 15:54:43 +01:00
<TooltipIconButton
size="lg"
className="p-4"
tooltip="New thread"
variant="ghost"
onClick={() => setThreadId(null)}
>
<SquarePen className="size-5" />
</TooltipIconButton>
2025-03-04 15:37:40 +01:00
<div className="absolute inset-x-0 top-full h-5 bg-gradient-to-b from-background to-background/0" />
2025-03-03 12:51:21 -08:00
</div>
)}
2025-03-04 10:34:52 -08:00
<StickToBottom className="relative flex-1 overflow-hidden">
2025-03-04 15:37:40 +01:00
<StickyToBottomContent
className={cn(
"absolute inset-0 overflow-y-scroll [&::-webkit-scrollbar]:w-1.5 [&::-webkit-scrollbar-thumb]:rounded-full [&::-webkit-scrollbar-thumb]:bg-gray-300 [&::-webkit-scrollbar-track]:bg-transparent",
!chatStarted && "flex flex-col items-stretch mt-[25vh]",
chatStarted && "grid grid-rows-[1fr_auto]",
2025-03-04 15:37:40 +01:00
)}
2025-03-07 15:46:00 +01:00
contentClassName="pt-8 pb-16 max-w-3xl mx-auto flex flex-col gap-4 w-full"
2025-03-04 15:37:40 +01:00
content={
<>
2025-03-04 15:54:43 +01:00
{messages
.filter((m) => !m.id?.startsWith(DO_NOT_RENDER_ID_PREFIX))
.map((message, index) =>
message.type === "human" ? (
<HumanMessage
key={message.id || `${message.type}-${index}`}
message={message}
isLoading={isLoading}
/>
) : (
<AssistantMessage
key={message.id || `${message.type}-${index}`}
message={message}
isLoading={isLoading}
handleRegenerate={handleRegenerate}
/>
),
)}
2025-03-04 15:37:40 +01:00
{isLoading && !firstTokenReceived && (
<AssistantMessageLoading />
)}
</>
}
footer={
<div className="sticky flex flex-col items-center gap-8 bottom-0 px-4 bg-white">
{!chatStarted && (
2025-03-04 15:43:35 +01:00
<div className="flex gap-3 items-center">
<LangGraphLogoSVG className="flex-shrink-0 h-8" />
2025-03-04 17:38:33 +01:00
<h1 className="text-2xl font-semibold tracking-tight">
2025-03-10 16:30:10 -07:00
Agent Chat
2025-03-04 17:38:33 +01:00
</h1>
2025-03-04 10:35:03 -08:00
</div>
2025-03-04 15:43:35 +01:00
)}
2025-03-04 15:56:36 +01:00
<ScrollToBottom className="absolute bottom-full left-1/2 -translate-x-1/2 mb-4 animate-in fade-in-0 zoom-in-95" />
2025-03-07 15:32:03 +01:00
<div className="bg-muted rounded-2xl border shadow-xs mx-auto mb-8 w-full max-w-3xl relative z-10">
2025-03-04 15:37:40 +01:00
<form
onSubmit={handleSubmit}
2025-03-07 15:32:03 +01:00
className="grid grid-rows-[1fr_auto] gap-2 max-w-3xl mx-auto"
2025-03-04 15:37:40 +01:00
>
2025-03-07 15:18:57 +01:00
<textarea
2025-03-04 15:37:40 +01:00
value={input}
onChange={(e) => setInput(e.target.value)}
2025-03-07 15:18:57 +01:00
onKeyDown={(e) => {
if (
e.key === "Enter" &&
!e.shiftKey &&
!e.metaKey &&
!e.nativeEvent.isComposing
) {
2025-03-07 15:18:57 +01:00
e.preventDefault();
const el = e.target as HTMLElement | undefined;
const form = el?.closest("form");
form?.requestSubmit();
}
}}
2025-03-04 15:37:40 +01:00
placeholder="Type your message..."
2025-03-07 15:18:57 +01:00
className="p-3.5 pb-0 border-none bg-transparent field-sizing-content shadow-none ring-0 outline-none focus:outline-none focus:ring-0 resize-none"
2025-03-04 15:37:40 +01:00
/>
2025-03-11 10:59:49 -07:00
<div className="flex items-center justify-between p-2 pt-4">
<div>
<div className="flex items-center space-x-2">
<Switch
id="render-tool-calls"
checked={hideToolCalls ?? false}
onCheckedChange={setHideToolCalls}
/>
<Label
htmlFor="render-tool-calls"
className="text-sm text-gray-600"
>
Hide Tool Calls
</Label>
</div>
</div>
2025-03-04 16:11:44 +01:00
{stream.isLoading ? (
<Button key="stop" onClick={() => stream.stop()}>
<LoaderCircle className="w-4 h-4 animate-spin" />
Cancel
</Button>
) : (
<Button
type="submit"
2025-03-07 15:28:11 +01:00
className="transition-all shadow-md"
2025-03-04 16:11:44 +01:00
disabled={isLoading || !input.trim()}
>
Send
</Button>
)}
2025-03-04 15:37:40 +01:00
</div>
</form>
</div>
</div>
}
/>
2025-03-04 15:37:40 +01:00
</StickToBottom>
2025-03-06 15:58:02 -08:00
</motion.div>
</div>
);
}