492 lines
18 KiB
TypeScript
492 lines
18 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() {
|
|
// Prevent hydration mismatch by only rendering after mount
|
|
const [mounted, setMounted] = useState(false);
|
|
const [isOpen, setIsOpen] = useState(false);
|
|
const [messages, setMessages] = useState<Message[]>([]);
|
|
const [inputValue, setInputValue] = useState("");
|
|
const [isLoading, setIsLoading] = useState(false);
|
|
const [conversationId, setConversationId] = useState<string>("default");
|
|
|
|
useEffect(() => {
|
|
setMounted(true);
|
|
// Generate or retrieve conversation ID only on client
|
|
try {
|
|
const stored = localStorage.getItem("chatSessionId");
|
|
if (stored) {
|
|
setConversationId(stored);
|
|
return;
|
|
}
|
|
|
|
// Generate UUID with fallback for browsers without crypto.randomUUID
|
|
let newId: string;
|
|
if (typeof crypto !== "undefined" && crypto.randomUUID) {
|
|
newId = crypto.randomUUID();
|
|
} else {
|
|
// Fallback UUID generation
|
|
newId = 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, (c) => {
|
|
const r = Math.random() * 16 | 0;
|
|
const v = c === 'x' ? r : (r & 0x3 | 0x8);
|
|
return v.toString(16);
|
|
});
|
|
}
|
|
|
|
localStorage.setItem("chatSessionId", newId);
|
|
setConversationId(newId);
|
|
} catch (error) {
|
|
// localStorage might be disabled or full
|
|
if (process.env.NODE_ENV === 'development') {
|
|
console.warn('Failed to access localStorage for chat session:', error);
|
|
}
|
|
setConversationId(`session-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`);
|
|
}
|
|
}, []);
|
|
|
|
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]);
|
|
|
|
// Helper function to decode HTML entities
|
|
const decodeHtmlEntities = (text: string): string => {
|
|
if (!text || typeof text !== "string") return text;
|
|
const textarea = document.createElement("textarea");
|
|
textarea.innerHTML = text;
|
|
return textarea.value;
|
|
};
|
|
|
|
// Load messages from localStorage
|
|
useEffect(() => {
|
|
if (typeof window !== "undefined") {
|
|
try {
|
|
const stored = localStorage.getItem("chatMessages");
|
|
if (stored) {
|
|
try {
|
|
const parsed = JSON.parse(stored);
|
|
setMessages(
|
|
parsed.map((m: Message) => ({
|
|
...m,
|
|
text: decodeHtmlEntities(m.text), // Decode HTML entities when loading
|
|
timestamp: new Date(m.timestamp),
|
|
})),
|
|
);
|
|
} catch (e) {
|
|
if (process.env.NODE_ENV === 'development') {
|
|
console.error("Failed to parse chat history", e);
|
|
}
|
|
// Clear corrupted data
|
|
try {
|
|
localStorage.removeItem("chatMessages");
|
|
} catch {
|
|
// Ignore cleanup errors
|
|
}
|
|
// 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(),
|
|
},
|
|
]);
|
|
}
|
|
} 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(),
|
|
},
|
|
]);
|
|
}
|
|
} catch (error) {
|
|
// localStorage might be disabled
|
|
if (process.env.NODE_ENV === 'development') {
|
|
console.warn("Failed to load chat history from localStorage:", error);
|
|
}
|
|
// Add welcome message anyway
|
|
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) {
|
|
try {
|
|
localStorage.setItem("chatMessages", JSON.stringify(messages));
|
|
} catch (error) {
|
|
// localStorage might be full or disabled
|
|
if (process.env.NODE_ENV === 'development') {
|
|
console.warn("Failed to save chat messages to localStorage:", error);
|
|
}
|
|
}
|
|
}
|
|
}, [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) {
|
|
const errorText = await response.text().catch(() => "Unknown error");
|
|
console.error("Chat API error:", {
|
|
status: response.status,
|
|
statusText: response.statusText,
|
|
error: errorText,
|
|
});
|
|
throw new Error(
|
|
`Failed to get response: ${response.status} - ${errorText.substring(0, 100)}`,
|
|
);
|
|
}
|
|
|
|
const data = await response.json();
|
|
|
|
// Log response for debugging (only in development)
|
|
if (process.env.NODE_ENV === "development") {
|
|
console.log("Chat API response:", data);
|
|
}
|
|
|
|
// Decode HTML entities in the reply
|
|
let replyText =
|
|
data.reply || "Sorry, I couldn't process that. Please try again.";
|
|
|
|
// Decode HTML entities client-side (double safety)
|
|
replyText = decodeHtmlEntities(replyText);
|
|
|
|
const botMessage: Message = {
|
|
id: (Date.now() + 1).toString(),
|
|
text: replyText,
|
|
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(),
|
|
},
|
|
]);
|
|
};
|
|
|
|
// Don't render until mounted to prevent hydration mismatch
|
|
if (!mounted) {
|
|
return null;
|
|
}
|
|
|
|
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-4 left-4 md:bottom-6 md:left-6 z-30 bg-white/80 backdrop-blur-xl text-stone-900 p-3.5 rounded-full shadow-[0_10px_26px_rgba(41,37,36,0.16)] hover:bg-white hover:scale-105 transition-all duration-300 group cursor-pointer border border-white/60 ring-1 ring-white/30"
|
|
aria-label="Open chat"
|
|
>
|
|
<MessageCircle size={24} />
|
|
<span className="absolute top-0 right-0 w-3 h-3 bg-green-500 rounded-full animate-pulse shadow-sm border-2 border-white" />
|
|
|
|
{/* Tooltip */}
|
|
<span className="absolute bottom-full left-1/2 -translate-x-1/2 mb-3 px-3 py-1.5 bg-stone-900/90 text-stone-50 text-xs font-medium rounded-lg opacity-0 group-hover:opacity-100 transition-opacity whitespace-nowrap pointer-events-none z-[100] shadow-xl backdrop-blur-sm">
|
|
Chat with AI
|
|
</span>
|
|
</motion.div>
|
|
)}
|
|
</AnimatePresence>
|
|
|
|
{/* Chat Window */}
|
|
<AnimatePresence>
|
|
{isOpen && (
|
|
<motion.div
|
|
data-chat-widget
|
|
initial={{ opacity: 0, y: 20, scale: 0.95, filter: "blur(10px)" }}
|
|
animate={{ opacity: 1, y: 0, scale: 1, filter: "blur(0px)" }}
|
|
exit={{ opacity: 0, y: 20, scale: 0.95, filter: "blur(10px)" }}
|
|
transition={{ type: "spring", damping: 30, stiffness: 400 }}
|
|
className="fixed bottom-20 left-4 right-4 md:bottom-24 md:left-6 md:right-auto z-30 md:w-[380px] h-[60vh] md:h-[550px] max-h-[600px] bg-white/80 backdrop-blur-xl saturate-100 rounded-2xl shadow-[0_12px_40px_rgba(41,37,36,0.16)] flex flex-col overflow-hidden border border-white/60 ring-1 ring-white/30"
|
|
>
|
|
{/* Header */}
|
|
<div className="bg-white/70 text-stone-900 p-4 flex items-center justify-between border-b border-white/50">
|
|
<div className="flex items-center gap-3">
|
|
<div className="relative">
|
|
<div className="w-10 h-10 rounded-full bg-gradient-to-br from-liquid-mint/50 via-liquid-lavender/40 to-liquid-rose/40 flex items-center justify-center ring-1 ring-white/50 shadow-sm">
|
|
<Sparkles size={18} className="text-stone-800" />
|
|
</div>
|
|
<span className="absolute bottom-0 right-0 w-2.5 h-2.5 bg-green-500 rounded-full border-2 border-white shadow-sm" />
|
|
</div>
|
|
<div className="min-w-0 flex-1">
|
|
<h3 className="font-bold text-sm truncate text-stone-900 tracking-tight">
|
|
Assistant
|
|
</h3>
|
|
<p className="text-[11px] font-medium text-stone-500 truncate">
|
|
Powered by AI
|
|
</p>
|
|
</div>
|
|
</div>
|
|
|
|
<div className="flex items-center gap-1">
|
|
<button
|
|
onClick={clearChat}
|
|
className="p-2 hover:bg-stone-200/40 rounded-full transition-colors text-stone-500 hover:text-red-500"
|
|
title="Clear conversation"
|
|
>
|
|
<Trash2 size={16} />
|
|
</button>
|
|
<button
|
|
onClick={() => setIsOpen(false)}
|
|
className="p-2 hover:bg-stone-200/40 rounded-full transition-colors text-stone-500 hover:text-stone-900"
|
|
aria-label="Close chat"
|
|
>
|
|
<X size={20} />
|
|
</button>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Messages */}
|
|
<div className="flex-1 overflow-y-auto scrollbar-hide p-4 space-y-4 bg-transparent">
|
|
{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-[85%] rounded-2xl px-4 py-3 shadow-sm ${
|
|
message.sender === "user"
|
|
? "bg-stone-900 text-white"
|
|
: "bg-white/70 text-stone-900 border border-white/60"
|
|
}`}
|
|
>
|
|
<p className={`text-sm whitespace-pre-wrap break-words leading-relaxed ${
|
|
message.sender === "user" ? "text-white/90 font-normal" : "text-stone-900 font-medium"
|
|
}`}>
|
|
{message.text}
|
|
</p>
|
|
<p
|
|
className={`text-[10px] mt-1.5 ${
|
|
message.sender === "user"
|
|
? "text-stone-400"
|
|
: "text-stone-500"
|
|
}`}
|
|
>
|
|
{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-[#f3f1e7] border border-[#e7e5e4] rounded-2xl px-4 py-3 shadow-sm">
|
|
<div className="flex gap-1.5">
|
|
<motion.div
|
|
className="w-1.5 h-1.5 bg-stone-500 rounded-full"
|
|
animate={{ y: [0, -6, 0] }}
|
|
transition={{
|
|
duration: 0.6,
|
|
repeat: Infinity,
|
|
delay: 0,
|
|
}}
|
|
/>
|
|
<motion.div
|
|
className="w-1.5 h-1.5 bg-stone-500 rounded-full"
|
|
animate={{ y: [0, -6, 0] }}
|
|
transition={{
|
|
duration: 0.6,
|
|
repeat: Infinity,
|
|
delay: 0.1,
|
|
}}
|
|
/>
|
|
<motion.div
|
|
className="w-1.5 h-1.5 bg-stone-500 rounded-full"
|
|
animate={{ y: [0, -6, 0] }}
|
|
transition={{
|
|
duration: 0.6,
|
|
repeat: Infinity,
|
|
delay: 0.2,
|
|
}}
|
|
/>
|
|
</div>
|
|
</div>
|
|
</motion.div>
|
|
)}
|
|
|
|
<div ref={messagesEndRef} />
|
|
</div>
|
|
|
|
{/* Input */}
|
|
<div className="p-4 bg-[#fdfcf8] border-t border-[#e7e5e4]">
|
|
<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-4 py-3 text-sm bg-[#f5f5f4] text-[#292524] rounded-xl border border-[#e7e5e4] focus:outline-none focus:ring-2 focus:ring-[#e7e5e4] focus:border-[#a8a29e] focus:bg-[#fdfcf8] disabled:opacity-50 disabled:cursor-not-allowed placeholder:text-[#78716c] transition-all shadow-inner"
|
|
/>
|
|
<button
|
|
onClick={handleSend}
|
|
disabled={!inputValue.trim() || isLoading}
|
|
className="p-3 bg-[#292524] text-[#fdfcf8] rounded-xl hover:bg-[#44403c] hover:shadow-lg hover:scale-105 transition-all duration-200 disabled:opacity-50 disabled:cursor-not-allowed disabled:hover:scale-100 shadow-md flex items-center justify-center aspect-square"
|
|
aria-label="Send message"
|
|
>
|
|
{isLoading ? (
|
|
<Loader2 size={18} className="animate-spin" />
|
|
) : (
|
|
<Send size={18} />
|
|
)}
|
|
</button>
|
|
</div>
|
|
|
|
{/* Quick Actions */}
|
|
<div className="flex gap-2 mt-3 overflow-x-auto pb-1 scrollbar-hide mask-fade-right">
|
|
{[
|
|
"Skills 🛠️",
|
|
"Projects 🚀",
|
|
"Contact 📧",
|
|
].map((suggestion, index) => (
|
|
<button
|
|
key={index}
|
|
onClick={() => {
|
|
setInputValue(suggestion.replace(/ .*/, '')); // Strip emoji for search if needed, or keep
|
|
inputRef.current?.focus();
|
|
}}
|
|
disabled={isLoading}
|
|
className="px-3 py-1.5 text-xs font-medium bg-[#f5f5f4] text-[#57534e] rounded-lg hover:bg-[#e7e5e4] hover:text-[#292524] border border-[#e7e5e4] transition-all whitespace-nowrap disabled:opacity-50 flex-shrink-0 shadow-sm"
|
|
>
|
|
{suggestion}
|
|
</button>
|
|
))}
|
|
</div>
|
|
</div>
|
|
</motion.div>
|
|
)}
|
|
</AnimatePresence>
|
|
</>
|
|
);
|
|
}
|