'use client' /** * Agent Form Component * Simplified form for creating and editing agents. * Novice-friendly: hides system prompt and tools behind "Advanced mode". */ import { useState, useMemo, useRef } from 'react' import { X, Plus, Trash2, Globe, FileSearch, FilePlus, FileText, ExternalLink, Brain, ChevronDown, ChevronUp, HelpCircle, Mail, ImageIcon } from 'lucide-react' import { toast } from 'sonner' import { useLanguage } from '@/lib/i18n' import { Tooltip, TooltipTrigger, TooltipContent } from '@/components/ui/tooltip' // --- Types --- type AgentType = 'scraper' | 'researcher' | 'monitor' | 'custom' /** Small "?" tooltip shown next to form labels */ function FieldHelp({ tooltip }: { tooltip: string }) { return ( {tooltip} ) } interface AgentFormProps { agent?: { id: string name: string description?: string | null type?: string | null role: string sourceUrls?: string | null sourceNotebookId?: string | null targetNotebookId?: string | null frequency: string tools?: string | null maxSteps?: number notifyEmail?: boolean includeImages?: boolean } | null notebooks: { id: string; name: string; icon?: string | null }[] onSave: (data: FormData) => Promise onCancel: () => void } // --- Tool presets per type --- const TOOL_PRESETS: Record = { scraper: ['web_scrape', 'note_create', 'memory_search'], researcher: ['web_search', 'web_scrape', 'note_search', 'note_create', 'memory_search'], monitor: ['note_search', 'note_read', 'note_create', 'memory_search'], custom: ['memory_search'], } // --- Component --- export function AgentForm({ agent, notebooks, onSave, onCancel }: AgentFormProps) { const { t } = useLanguage() const [name, setName] = useState(agent?.name || '') const [description, setDescription] = useState(agent?.description || '') const [type, setType] = useState((agent?.type as AgentType) || 'scraper') const [role, setRole] = useState(agent?.role || '') const [urls, setUrls] = useState(() => { if (agent?.sourceUrls) { try { return JSON.parse(agent.sourceUrls) } catch { return [''] } } return [''] }) const [sourceNotebookId, setSourceNotebookId] = useState(agent?.sourceNotebookId || '') const [targetNotebookId, setTargetNotebookId] = useState(agent?.targetNotebookId || '') const [frequency, setFrequency] = useState(agent?.frequency || 'manual') const [selectedTools, setSelectedTools] = useState(() => { if (agent?.tools) { try { const parsed = JSON.parse(agent.tools) if (parsed.length > 0) return parsed } catch { /* fall through to presets */ } } // New agent or old agent with empty tools: use preset defaults const defaultType = (agent?.type as AgentType) || 'scraper' return TOOL_PRESETS[defaultType] || [] }) const [maxSteps, setMaxSteps] = useState(agent?.maxSteps || 10) const [notifyEmail, setNotifyEmail] = useState(agent?.notifyEmail || false) const [includeImages, setIncludeImages] = useState(agent?.includeImages || false) const [isSaving, setIsSaving] = useState(false) const [showAdvanced, setShowAdvanced] = useState(() => { // Auto-open advanced if editing an agent with custom tools or custom prompt if (agent?.tools) { try { const tools = JSON.parse(agent.tools) if (tools.length > 0) return true } catch { /* ignore */ } } // Also open if agent has a custom role (instructions) if (agent?.role && agent.role.trim().length > 0) return true return false }) // Tool definitions const availableTools = useMemo(() => [ { id: 'web_search', icon: Globe, labelKey: 'agents.tools.webSearch', external: true }, { id: 'web_scrape', icon: ExternalLink, labelKey: 'agents.tools.webScrape', external: true }, { id: 'note_search', icon: FileSearch, labelKey: 'agents.tools.noteSearch', external: false }, { id: 'note_read', icon: FileText, labelKey: 'agents.tools.noteRead', external: false }, { id: 'note_create', icon: FilePlus, labelKey: 'agents.tools.noteCreate', external: false }, { id: 'url_fetch', icon: ExternalLink, labelKey: 'agents.tools.urlFetch', external: false }, { id: 'memory_search', icon: Brain, labelKey: 'agents.tools.memorySearch', external: false }, ], []) // Track previous type to detect user-initiated type changes const prevTypeRef = useRef(type) // When user explicitly changes type (not on mount), reset tools to presets if (prevTypeRef.current !== type) { prevTypeRef.current = type // This is a user-initiated type change, not a mount // We queue the state update to happen after render setSelectedTools(TOOL_PRESETS[type] || []) setRole('') } const addUrl = () => setUrls([...urls, '']) const removeUrl = (index: number) => setUrls(urls.filter((_, i) => i !== index)) const updateUrl = (index: number, value: string) => { const newUrls = [...urls] newUrls[index] = value setUrls(newUrls) } const handleSubmit = async (e: React.FormEvent) => { e.preventDefault() if (!name.trim()) { toast.error(t('agents.form.nameRequired')) return } setIsSaving(true) try { const formData = new FormData() formData.set('name', name.trim()) formData.set('description', description.trim()) formData.set('type', type) formData.set('role', role || t(`agents.defaultRoles.${type}`)) formData.set('frequency', frequency) formData.set('targetNotebookId', targetNotebookId) if (type === 'monitor') { formData.set('sourceNotebookId', sourceNotebookId) } const validUrls = urls.filter(u => u.trim()) if (validUrls.length > 0) { formData.set('sourceUrls', JSON.stringify(validUrls)) } formData.set('tools', JSON.stringify(selectedTools)) formData.set('maxSteps', String(maxSteps)) formData.set('notifyEmail', String(notifyEmail)) formData.set('includeImages', String(includeImages)) await onSave(formData) } catch { toast.error(t('agents.toasts.saveError')) } finally { setIsSaving(false) } } const showSourceNotebook = type === 'monitor' const agentTypes: { value: AgentType; labelKey: string; descKey: string }[] = [ { value: 'researcher', labelKey: 'agents.types.researcher', descKey: 'agents.typeDescriptions.researcher' }, { value: 'scraper', labelKey: 'agents.types.scraper', descKey: 'agents.typeDescriptions.scraper' }, { value: 'monitor', labelKey: 'agents.types.monitor', descKey: 'agents.typeDescriptions.monitor' }, { value: 'custom', labelKey: 'agents.types.custom', descKey: 'agents.typeDescriptions.custom' }, ] return ( {/* Header — editable agent name */} setName(e.target.value)} className="text-lg font-semibold text-slate-800 bg-transparent border-none outline-none focus:ring-0 p-0 flex-1 placeholder:text-slate-300" placeholder={t('agents.form.namePlaceholder')} required /> {/* Agent Type */} {t('agents.form.agentType')} {agentTypes.map(at => ( setType(at.value)} className={` text-left px-3 py-2.5 rounded-lg border-2 transition-all text-sm ${type === at.value ? 'border-primary bg-primary/5 text-primary font-medium' : 'border-slate-200 text-slate-600 hover:border-slate-300'} `} > {t(at.labelKey)} {t(at.descKey)} ))} {/* Research Topic (researcher only) — replaces Description for this type */} {type === 'researcher' && ( {t('agents.form.researchTopic')} setDescription(e.target.value)} className="w-full px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary" placeholder={t('agents.form.researchTopicPlaceholder')} /> )} {/* Description (for non-researcher types) */} {type !== 'researcher' && ( {t('agents.form.description')} setDescription(e.target.value)} className="w-full px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary" placeholder={t('agents.form.descriptionPlaceholder')} /> )} {/* URLs (scraper and custom only — researcher uses search, not URLs) */} {(type === 'scraper' || type === 'custom') && ( {t('agents.form.urlsLabel')} {urls.map((url, i) => ( updateUrl(i, e.target.value)} className="flex-1 px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary" placeholder="https://example.com" /> {urls.length > 1 && ( removeUrl(i)} className="p-2 text-red-400 hover:text-red-600 hover:bg-red-50 rounded-lg transition-colors" > )} ))} {t('agents.form.addUrl')} )} {/* Source Notebook (monitor only) */} {showSourceNotebook && ( {t('agents.form.sourceNotebook')} setSourceNotebookId(e.target.value)} className="w-full px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary bg-white" > {t('agents.form.selectNotebook')} {notebooks.map(nb => ( {nb.name} ))} )} {/* Target Notebook */} {t('agents.form.targetNotebook')} setTargetNotebookId(e.target.value)} className="w-full px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary bg-white" > {t('agents.form.inbox')} {notebooks.map(nb => ( {nb.name} ))} {/* Frequency */} {t('agents.form.frequency')} setFrequency(e.target.value)} className="w-full px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary bg-white" > {t('agents.frequencies.manual')} {t('agents.frequencies.hourly')} {t('agents.frequencies.daily')} {t('agents.frequencies.weekly')} {t('agents.frequencies.monthly')} {/* Email Notification */} setNotifyEmail(!notifyEmail)} className={`flex items-center gap-3 p-3 rounded-lg border-2 cursor-pointer transition-all ${ notifyEmail ? 'border-primary bg-primary/5' : 'border-slate-200 hover:border-slate-300' }`} > {t('agents.form.notifyEmail')} {t('agents.form.notifyEmailHint')} {/* Include Images */} setIncludeImages(!includeImages)} className={`flex items-center gap-3 p-3 rounded-lg border-2 cursor-pointer transition-all ${ includeImages ? 'border-primary bg-primary/5' : 'border-slate-200 hover:border-slate-300' }`} > {t('agents.form.includeImages')} {t('agents.form.includeImagesHint')} {/* Advanced mode toggle */} setShowAdvanced(!showAdvanced)} className="flex items-center gap-2 text-sm text-slate-500 hover:text-slate-700 font-medium w-full pt-2 border-t border-slate-100" > {showAdvanced ? : } {t('agents.form.advancedMode')} {/* Advanced: System Prompt */} {showAdvanced && ( <> {t('agents.form.instructions')} ({t('agents.form.instructionsHint')}) setRole(e.target.value)} rows={3} className="w-full px-3 py-2 text-sm border border-slate-200 rounded-lg focus:outline-none focus:ring-2 focus:ring-primary/20 focus:border-primary resize-y min-h-[80px]" placeholder={t('agents.form.instructionsPlaceholder')} /> {/* Advanced: Tools */} {t('agents.tools.title')} {availableTools.map(at => { const Icon = at.icon const isSelected = selectedTools.includes(at.id) return ( { setSelectedTools(prev => isSelected ? prev.filter(t => t !== at.id) : [...prev, at.id] ) }} className={` flex items-center gap-2 px-3 py-2 rounded-lg border text-sm transition-all text-left ${isSelected ? 'border-primary bg-primary/5 text-primary font-medium' : 'border-slate-200 text-slate-600 hover:border-slate-300'} `} > {t(at.labelKey)} {at.external && !isSelected && ( {t('agents.tools.configNeeded')} )} ) })} {selectedTools.length > 0 && ( {t('agents.tools.selected', { count: selectedTools.length })} )} {/* Advanced: Max Steps */} {selectedTools.length > 0 && ( {t('agents.tools.maxSteps')} ({maxSteps}) setMaxSteps(Number(e.target.value))} className="w-full accent-primary" /> 3 25 )} > )} {/* Actions */} {t('agents.form.cancel')} {isSaving ? t('agents.form.saving') : agent ? t('agents.form.save') : t('agents.form.create')} ) }
{t('agents.tools.selected', { count: selectedTools.length })}