385 lines
14 KiB
TypeScript
385 lines
14 KiB
TypeScript
"use client";
|
|
|
|
import React, { useState, useEffect, useRef } from "react";
|
|
import { motion, AnimatePresence } from "framer-motion";
|
|
import {
|
|
MessageCircle,
|
|
X,
|
|
Send,
|
|
Loader2,
|
|
Sparkles,
|
|
Trash2,
|
|
} from "lucide-react";
|
|
|
|
interface Message {
|
|
id: string;
|
|
text: string;
|
|
sender: "user" | "bot";
|
|
timestamp: Date;
|
|
isTyping?: boolean;
|
|
}
|
|
|
|
export default function ChatWidget() {
|
|
const [isOpen, setIsOpen] = useState(false);
|
|
const [messages, setMessages] = useState<Message[]>([]);
|
|
const [inputValue, setInputValue] = useState("");
|
|
const [isLoading, setIsLoading] = useState(false);
|
|
const [conversationId, setConversationId] = useState(() => {
|
|
// Generate or retrieve conversation ID
|
|
if (typeof window !== "undefined") {
|
|
const stored = localStorage.getItem("chatSessionId");
|
|
if (stored) return stored;
|
|
const newId = crypto.randomUUID();
|
|
localStorage.setItem("chatSessionId", newId);
|
|
return newId;
|
|
}
|
|
return "default";
|
|
});
|
|
|
|
const messagesEndRef = useRef<HTMLDivElement>(null);
|
|
const inputRef = useRef<HTMLInputElement>(null);
|
|
|
|
// Auto-scroll to bottom when new messages arrive
|
|
useEffect(() => {
|
|
messagesEndRef.current?.scrollIntoView({ behavior: "smooth" });
|
|
}, [messages]);
|
|
|
|
// Focus input when chat opens
|
|
useEffect(() => {
|
|
if (isOpen) {
|
|
inputRef.current?.focus();
|
|
}
|
|
}, [isOpen]);
|
|
|
|
// Load messages from localStorage
|
|
useEffect(() => {
|
|
if (typeof window !== "undefined") {
|
|
const stored = localStorage.getItem("chatMessages");
|
|
if (stored) {
|
|
try {
|
|
const parsed = JSON.parse(stored);
|
|
setMessages(
|
|
parsed.map((m: Message) => ({
|
|
...m,
|
|
timestamp: new Date(m.timestamp),
|
|
})),
|
|
);
|
|
} catch (e) {
|
|
console.error("Failed to load chat history", e);
|
|
}
|
|
} else {
|
|
// Add welcome message
|
|
setMessages([
|
|
{
|
|
id: "welcome",
|
|
text: "Hi! I'm Dennis's AI assistant. Ask me anything about his skills, projects, or experience! 🚀",
|
|
sender: "bot",
|
|
timestamp: new Date(),
|
|
},
|
|
]);
|
|
}
|
|
}
|
|
}, []);
|
|
|
|
// Save messages to localStorage
|
|
useEffect(() => {
|
|
if (typeof window !== "undefined" && messages.length > 0) {
|
|
localStorage.setItem("chatMessages", JSON.stringify(messages));
|
|
}
|
|
}, [messages]);
|
|
|
|
const handleSend = async () => {
|
|
if (!inputValue.trim() || isLoading) return;
|
|
|
|
const userMessage: Message = {
|
|
id: Date.now().toString(),
|
|
text: inputValue.trim(),
|
|
sender: "user",
|
|
timestamp: new Date(),
|
|
};
|
|
|
|
setMessages((prev) => [...prev, userMessage]);
|
|
setInputValue("");
|
|
setIsLoading(true);
|
|
|
|
// Get last 10 messages for context
|
|
const history = messages.slice(-10).map((m) => ({
|
|
role: m.sender === "user" ? "user" : "assistant",
|
|
content: m.text,
|
|
}));
|
|
|
|
try {
|
|
const response = await fetch("/api/n8n/chat", {
|
|
method: "POST",
|
|
headers: { "Content-Type": "application/json" },
|
|
body: JSON.stringify({
|
|
message: userMessage.text,
|
|
conversationId,
|
|
history,
|
|
}),
|
|
});
|
|
|
|
if (!response.ok) {
|
|
throw new Error("Failed to get response");
|
|
}
|
|
|
|
const data = await response.json();
|
|
|
|
const botMessage: Message = {
|
|
id: (Date.now() + 1).toString(),
|
|
text: data.reply || "Sorry, I couldn't process that. Please try again.",
|
|
sender: "bot",
|
|
timestamp: new Date(),
|
|
};
|
|
|
|
setMessages((prev) => [...prev, botMessage]);
|
|
} catch (error) {
|
|
console.error("Chat error:", error);
|
|
|
|
const errorMessage: Message = {
|
|
id: (Date.now() + 1).toString(),
|
|
text: "Sorry, I'm having trouble connecting right now. Please try again later or use the contact form below.",
|
|
sender: "bot",
|
|
timestamp: new Date(),
|
|
};
|
|
|
|
setMessages((prev) => [...prev, errorMessage]);
|
|
} finally {
|
|
setIsLoading(false);
|
|
}
|
|
};
|
|
|
|
const handleKeyPress = (e: React.KeyboardEvent) => {
|
|
if (e.key === "Enter" && !e.shiftKey) {
|
|
e.preventDefault();
|
|
handleSend();
|
|
}
|
|
};
|
|
|
|
const clearChat = () => {
|
|
// Reset session ID
|
|
const newId = crypto.randomUUID();
|
|
setConversationId(newId);
|
|
if (typeof window !== "undefined") {
|
|
localStorage.setItem("chatSessionId", newId);
|
|
localStorage.removeItem("chatMessages");
|
|
}
|
|
|
|
setMessages([
|
|
{
|
|
id: "welcome",
|
|
text: "Conversation restarted! Ask me anything about Dennis! 🚀",
|
|
sender: "bot",
|
|
timestamp: new Date(),
|
|
},
|
|
]);
|
|
};
|
|
|
|
return (
|
|
<>
|
|
{/* Chat Button */}
|
|
<AnimatePresence>
|
|
{!isOpen && (
|
|
<motion.div
|
|
role="button"
|
|
tabIndex={0}
|
|
initial={{ scale: 0, opacity: 0 }}
|
|
animate={{ scale: 1, opacity: 1 }}
|
|
exit={{ scale: 0, opacity: 0 }}
|
|
onClick={() => setIsOpen(true)}
|
|
onKeyDown={(e) => {
|
|
if (e.key === "Enter" || e.key === " ") {
|
|
setIsOpen(true);
|
|
}
|
|
}}
|
|
className="fixed bottom-20 left-4 md:bottom-6 md:left-6 z-30 bg-gradient-to-br from-blue-500 to-purple-600 text-white p-3 rounded-full shadow-2xl hover:shadow-blue-500/50 hover:scale-110 transition-all duration-300 group cursor-pointer"
|
|
aria-label="Open chat"
|
|
>
|
|
<MessageCircle size={20} />
|
|
<span className="absolute -top-1 -right-1 w-3 h-3 bg-green-400 rounded-full animate-pulse" />
|
|
|
|
{/* Tooltip */}
|
|
<span className="absolute bottom-full left-1/2 -translate-x-1/2 mb-2 px-3 py-1 bg-black/90 text-white text-xs rounded-lg opacity-0 group-hover:opacity-100 transition-opacity whitespace-nowrap pointer-events-none">
|
|
Chat with AI assistant
|
|
</span>
|
|
</motion.div>
|
|
)}
|
|
</AnimatePresence>
|
|
|
|
{/* Chat Window */}
|
|
<AnimatePresence>
|
|
{isOpen && (
|
|
<motion.div
|
|
initial={{ opacity: 0, y: 20, scale: 0.95 }}
|
|
animate={{ opacity: 1, y: 0, scale: 1 }}
|
|
exit={{ opacity: 0, y: 20, scale: 0.95 }}
|
|
transition={{ type: "spring", damping: 25, stiffness: 300 }}
|
|
className="fixed bottom-20 left-4 md:bottom-6 md:left-6 z-30 w-[300px] sm:w-[340px] md:w-[380px] max-w-[calc(100vw-2rem)] h-[450px] sm:h-[500px] md:h-[550px] max-h-[calc(100vh-10rem)] bg-white dark:bg-gray-900 rounded-2xl shadow-2xl flex flex-col overflow-hidden border border-gray-200 dark:border-gray-800"
|
|
>
|
|
{/* Header */}
|
|
<div className="bg-gradient-to-br from-blue-500 to-purple-600 text-white p-3 md:p-4 flex items-center justify-between">
|
|
<div className="flex items-center gap-3">
|
|
<div className="relative">
|
|
<div className="w-10 h-10 rounded-full bg-white/20 backdrop-blur-sm flex items-center justify-center">
|
|
<Sparkles size={20} />
|
|
</div>
|
|
<span className="absolute bottom-0 right-0 w-3 h-3 bg-green-400 rounded-full border-2 border-white" />
|
|
</div>
|
|
<div>
|
|
<h3 className="font-bold text-sm">Dennis's AI Assistant</h3>
|
|
<p className="text-xs text-white/80">Always online</p>
|
|
</div>
|
|
</div>
|
|
|
|
<div className="flex items-center gap-2">
|
|
<button
|
|
onClick={clearChat}
|
|
className="p-2 hover:bg-white/10 rounded-lg transition-colors text-white/80 hover:text-white"
|
|
title="Clear conversation"
|
|
>
|
|
<Trash2 size={18} />
|
|
</button>
|
|
<button
|
|
onClick={() => setIsOpen(false)}
|
|
className="p-2 hover:bg-white/10 rounded-lg transition-colors"
|
|
aria-label="Close chat"
|
|
>
|
|
<X size={20} />
|
|
</button>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Messages */}
|
|
<div className="flex-1 overflow-y-auto p-3 md:p-4 space-y-3 md:space-y-4 bg-gray-50 dark:bg-gray-950">
|
|
{messages.map((message) => (
|
|
<motion.div
|
|
key={message.id}
|
|
initial={{ opacity: 0, y: 10 }}
|
|
animate={{ opacity: 1, y: 0 }}
|
|
className={`flex ${message.sender === "user" ? "justify-end" : "justify-start"}`}
|
|
>
|
|
<div
|
|
className={`max-w-[80%] rounded-2xl px-4 py-2 ${
|
|
message.sender === "user"
|
|
? "bg-gradient-to-br from-blue-500 to-purple-600 text-white"
|
|
: "bg-white dark:bg-gray-800 text-gray-900 dark:text-white border border-gray-200 dark:border-gray-700"
|
|
}`}
|
|
>
|
|
<p className="text-sm whitespace-pre-wrap break-words">
|
|
{message.text}
|
|
</p>
|
|
<p
|
|
className={`text-[10px] mt-1 ${
|
|
message.sender === "user"
|
|
? "text-white/60"
|
|
: "text-gray-500 dark:text-gray-400"
|
|
}`}
|
|
>
|
|
{message.timestamp.toLocaleTimeString([], {
|
|
hour: "2-digit",
|
|
minute: "2-digit",
|
|
})}
|
|
</p>
|
|
</div>
|
|
</motion.div>
|
|
))}
|
|
|
|
{/* Typing Indicator */}
|
|
{isLoading && (
|
|
<motion.div
|
|
initial={{ opacity: 0, y: 10 }}
|
|
animate={{ opacity: 1, y: 0 }}
|
|
className="flex justify-start"
|
|
>
|
|
<div className="bg-white dark:bg-gray-800 border border-gray-200 dark:border-gray-700 rounded-2xl px-4 py-3">
|
|
<div className="flex gap-1">
|
|
<motion.div
|
|
className="w-2 h-2 bg-gray-400 rounded-full"
|
|
animate={{ y: [0, -8, 0] }}
|
|
transition={{
|
|
duration: 0.6,
|
|
repeat: Infinity,
|
|
delay: 0,
|
|
}}
|
|
/>
|
|
<motion.div
|
|
className="w-2 h-2 bg-gray-400 rounded-full"
|
|
animate={{ y: [0, -8, 0] }}
|
|
transition={{
|
|
duration: 0.6,
|
|
repeat: Infinity,
|
|
delay: 0.1,
|
|
}}
|
|
/>
|
|
<motion.div
|
|
className="w-2 h-2 bg-gray-400 rounded-full"
|
|
animate={{ y: [0, -8, 0] }}
|
|
transition={{
|
|
duration: 0.6,
|
|
repeat: Infinity,
|
|
delay: 0.2,
|
|
}}
|
|
/>
|
|
</div>
|
|
</div>
|
|
</motion.div>
|
|
)}
|
|
|
|
<div ref={messagesEndRef} />
|
|
</div>
|
|
|
|
{/* Input */}
|
|
<div className="p-3 md:p-4 bg-white dark:bg-gray-900 border-t border-gray-200 dark:border-gray-800">
|
|
<div className="flex gap-2">
|
|
<input
|
|
ref={inputRef}
|
|
type="text"
|
|
value={inputValue}
|
|
onChange={(e) => setInputValue(e.target.value)}
|
|
onKeyPress={handleKeyPress}
|
|
placeholder="Ask anything..."
|
|
disabled={isLoading}
|
|
className="flex-1 px-3 md:px-4 py-2 text-sm bg-gray-100 dark:bg-gray-800 text-gray-900 dark:text-white rounded-full border border-gray-200 dark:border-gray-700 focus:outline-none focus:ring-2 focus:ring-blue-500 disabled:opacity-50 disabled:cursor-not-allowed"
|
|
/>
|
|
<button
|
|
onClick={handleSend}
|
|
disabled={!inputValue.trim() || isLoading}
|
|
className="p-2 bg-gradient-to-br from-blue-500 to-purple-600 text-white rounded-full hover:shadow-lg hover:scale-110 transition-all duration-200 disabled:opacity-50 disabled:cursor-not-allowed disabled:hover:scale-100"
|
|
aria-label="Send message"
|
|
>
|
|
{isLoading ? (
|
|
<Loader2 size={20} className="animate-spin" />
|
|
) : (
|
|
<Send size={20} />
|
|
)}
|
|
</button>
|
|
</div>
|
|
|
|
{/* Quick Actions */}
|
|
<div className="flex gap-2 mt-2 overflow-x-auto pb-1 scrollbar-hide">
|
|
{[
|
|
"What are Dennis's skills?",
|
|
"Tell me about his projects",
|
|
"How can I contact him?",
|
|
].map((suggestion, index) => (
|
|
<button
|
|
key={index}
|
|
onClick={() => {
|
|
setInputValue(suggestion);
|
|
inputRef.current?.focus();
|
|
}}
|
|
disabled={isLoading}
|
|
className="px-2 md:px-3 py-1 text-[10px] md:text-xs bg-gray-100 dark:bg-gray-800 text-gray-700 dark:text-gray-300 rounded-full hover:bg-gray-200 dark:hover:bg-gray-700 transition-colors whitespace-nowrap disabled:opacity-50 flex-shrink-0"
|
|
>
|
|
{suggestion}
|
|
</button>
|
|
))}
|
|
</div>
|
|
</div>
|
|
</motion.div>
|
|
)}
|
|
</AnimatePresence>
|
|
</>
|
|
);
|
|
}
|