From db48347cfc6b2ea4375402a94942205393aa380a Mon Sep 17 00:00:00 2001 From: 0xbbjoker <0xbbjoker@proton.me> Date: Thu, 20 Mar 2025 17:15:38 +0100 Subject: [PATCH 1/3] feat: add partial agent update --- .../client/src/components/agent-settings.tsx | 49 ++++++-- .../client/src/components/secret-panel.tsx | 22 ++-- packages/client/src/hooks/use-agent-update.ts | 92 ++++++++++++++ .../client/src/hooks/use-partial-update.ts | 112 ++++++++++++++++++ packages/client/src/lib/api.ts | 32 ++++- packages/client/src/lib/utils.ts | 71 ++++++++++- packages/plugin-sql/src/base.ts | 103 ++++++++++++++-- 7 files changed, 448 insertions(+), 33 deletions(-) create mode 100644 packages/client/src/hooks/use-agent-update.ts create mode 100644 packages/client/src/hooks/use-partial-update.ts diff --git a/packages/client/src/components/agent-settings.tsx b/packages/client/src/components/agent-settings.tsx index 829a68a930c..d25a861ad48 100644 --- a/packages/client/src/components/agent-settings.tsx +++ b/packages/client/src/components/agent-settings.tsx @@ -1,9 +1,11 @@ import CharacterForm from '@/components/character-form'; import { useToast } from '@/hooks/use-toast'; +import { useAgentUpdate } from '@/hooks/use-agent-update'; import { apiClient } from '@/lib/api'; +import { deepMerge } from '@/lib/utils'; import type { Agent, UUID } from '@elizaos/core'; import { useQueryClient } from '@tanstack/react-query'; -import { useState } from 'react'; +import { useState, useEffect } from 'react'; import { useNavigate } from 'react-router-dom'; import AvatarPanel from './avatar-panel'; import PluginsPanel from './plugins-panel'; @@ -13,8 +15,23 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI const { toast } = useToast(); const navigate = useNavigate(); const queryClient = useQueryClient(); + + // Use our agent update hook for more intelligent handling of JSONb fields + const { agent: agentState, updateObject, reset } = useAgentUpdate(agent); const [characterValue, setCharacterValue] = useState(agent); + // Keep characterValue in sync with agentState (our source of truth) + useEffect(() => { + setCharacterValue(agentState); + }, [agentState]); + + // When setCharacterValue is called, update our agentState + const handleCharacterValueChange = (updater: (prev: Agent) => Agent) => { + const newValue = updater(characterValue); + updateObject(newValue); + setCharacterValue(newValue); + }; + const handleSubmit = async (updatedAgent: Agent) => { try { // Call the API to update the agent's character @@ -22,11 +39,16 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI throw new Error('Agent ID is missing'); } - // Make sure plugins are preserved - const mergedAgent = { + // Make sure we're properly merging all JSONb fields + // Get the original agent to ensure we're starting with complete data + const { data: currentAgent } = await apiClient.getAgent(agentId); + + // Create a properly merged agent object + // This ensures all JSONb fields are correctly handled + const mergedAgent = deepMerge(currentAgent, { ...updatedAgent, plugins: characterValue.plugins, // Preserve the plugins from our local state - }; + }); // Send the character update request to the agent endpoint await apiClient.updateAgent(agentId, mergedAgent); @@ -64,30 +86,39 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI return ( setCharacterValue(agent)} + onReset={() => reset()} onDelete={() => handleDelete(agent)} isAgent={true} customComponents={[ { name: 'Plugins', component: ( - + ), }, { name: 'Secret', component: ( - + ), }, { name: 'Avatar', component: ( - + ), }, ]} diff --git a/packages/client/src/components/secret-panel.tsx b/packages/client/src/components/secret-panel.tsx index 29d58a35172..45916606e85 100644 --- a/packages/client/src/components/secret-panel.tsx +++ b/packages/client/src/components/secret-panel.tsx @@ -1,5 +1,6 @@ import { Button } from '@/components/ui/button'; import { Input } from '@/components/ui/input'; +import { usePartialUpdate } from '@/hooks/use-partial-update'; import type { Agent } from '@elizaos/core'; import { Check, CloudUpload, Eye, EyeOff, MoreVertical, X } from 'lucide-react'; import { useEffect, useRef, useState } from 'react'; @@ -15,6 +16,9 @@ interface SecretPanelProps { } export default function EnvSettingsPanel({ characterValue, setCharacterValue }: SecretPanelProps) { + // Use our new hook to properly handle updates to nested JSONb fields + const [agentState, updateField] = usePartialUpdate(characterValue); + const [envs, setEnvs] = useState( Object.entries(characterValue?.settings?.secrets || {}).map(([name, value]) => ({ name, @@ -151,15 +155,17 @@ export default function EnvSettingsPanel({ characterValue, setCharacterValue }: }; }, []); + // Update the agent's settings whenever envs change useEffect(() => { - setCharacterValue((prev) => ({ - ...prev, - settings: { - ...prev.settings, - secrets: Object.fromEntries(envs.map(({ name, value }) => [name, value])), - }, - })); - }, [envs, setCharacterValue]); + // Create the secrets object from the envs array + const secrets = Object.fromEntries(envs.map(({ name, value }) => [name, value])); + + // Update just the settings.secrets part without touching other settings + updateField('settings.secrets', secrets); + + // Update the parent component's state + setCharacterValue(() => agentState); + }, [envs, setCharacterValue, updateField, agentState]); return (
diff --git a/packages/client/src/hooks/use-agent-update.ts b/packages/client/src/hooks/use-agent-update.ts new file mode 100644 index 00000000000..7c70699fb56 --- /dev/null +++ b/packages/client/src/hooks/use-agent-update.ts @@ -0,0 +1,92 @@ +import { usePartialUpdate } from '@/hooks/use-partial-update'; +import type { Agent } from '@elizaos/core'; +import { useCallback } from 'react'; + +/** + * A custom hook for handling Agent updates with specific handling for JSONb fields. + * This hook builds on usePartialUpdate but adds Agent-specific convenience methods. + * + * @param initialAgent The initial Agent object + * @returns Object with agent state and update methods + */ +export function useAgentUpdate(initialAgent: Agent) { + const [agent, updateField, updateObject, reset] = usePartialUpdate(initialAgent); + + /** + * Updates a field in the Agent's settings object + * + * @param path Path within settings (e.g., 'voice.model') + * @param value New value + */ + const updateSetting = useCallback( + (path: string, value: T) => { + updateField(`settings.${path}`, value); + }, + [updateField] + ); + + /** + * Updates a secret in the Agent's settings.secrets object + * + * @param key Secret key + * @param value Secret value + */ + const updateSecret = useCallback( + (key: string, value: string) => { + updateField(`settings.secrets.${key}`, value); + }, + [updateField] + ); + + /** + * Updates or replaces an array field in the Agent + * + * @param fieldName Array field name (e.g., 'plugins', 'bio', etc.) + * @param value New array value + */ + const updateArrayField = useCallback( + (fieldName: string, value: T[]) => { + updateField(fieldName, value); + }, + [updateField] + ); + + /** + * Updates a value in one of the style arrays + * + * @param styleType Type of style ('all', 'chat', 'post') + * @param index Index in the array + * @param value New value + */ + const updateStyleItem = useCallback( + (styleType: 'all' | 'chat' | 'post', index: number, value: string) => { + updateField(`style.${styleType}.${index}`, value); + }, + [updateField] + ); + + /** + * Sets a style array + * + * @param styleType Type of style ('all', 'chat', 'post') + * @param values Array of style values + */ + const setStyleArray = useCallback( + (styleType: 'all' | 'chat' | 'post', values: string[]) => { + updateField(`style.${styleType}`, values); + }, + [updateField] + ); + + return { + agent, + updateField, + updateObject, + updateSetting, + updateSecret, + updateArrayField, + updateStyleItem, + setStyleArray, + reset, + }; +} diff --git a/packages/client/src/hooks/use-partial-update.ts b/packages/client/src/hooks/use-partial-update.ts new file mode 100644 index 00000000000..aac365fffbd --- /dev/null +++ b/packages/client/src/hooks/use-partial-update.ts @@ -0,0 +1,112 @@ +import { deepMerge } from '@/lib/utils'; +import { useState, useCallback } from 'react'; + +/** + * A custom hook for handling partial updates of objects with nested JSONb fields. + * This hook ensures that updates to nested objects and arrays are properly + * managed when sending updates to the server. + * + * @param initialValue The initial state object + * @returns A tuple containing: + * - The current state object + * - A function to update a specific field (handles nested paths) + * - A function to set the entire object + * - A function to reset to initial state + */ +export function usePartialUpdate(initialValue: T) { + const [value, setValue] = useState(initialValue); + + /** + * Updates a specific field in the object, handling nested paths + * + * @param path The path to the field to update (e.g., 'settings.voice.model') + * @param newValue The new value for the field + */ + const updateField = useCallback((path: string, newValue: K) => { + setValue((prevValue) => { + // Handle simple (non-nested) case + if (!path.includes('.')) { + return { + ...prevValue, + [path]: newValue, + } as T; + } + + // Handle nested paths + const pathParts = path.split('.'); + const fieldToUpdate = pathParts[0]; + const remainingPath = pathParts.slice(1).join('.'); + + // Handle arrays in path (e.g., 'style.all.0') + const isArrayIndex = !isNaN(Number(pathParts[1])); + + if (isArrayIndex) { + const arrayName = pathParts[0]; + const index = Number(pathParts[1]); + // Ensure we're working with an array and handle it safely + const currentValue = prevValue[arrayName as keyof T]; + const array = Array.isArray(currentValue) ? [...currentValue] : []; + + if (pathParts.length === 2) { + // Direct array item update + array[index] = newValue; + } else { + // Updating a property of an object in an array + const deeperPath = pathParts.slice(2).join('.'); + array[index] = updateNestedObject(array[index], deeperPath, newValue); + } + + return { + ...prevValue, + [arrayName]: array, + } as T; + } + + // Handle regular nested objects + return { + ...prevValue, + [fieldToUpdate]: updateNestedObject( + prevValue[fieldToUpdate as keyof T], + remainingPath, + newValue + ), + } as T; + }); + }, []); + + /** + * Helper function to update a nested object + */ + const updateNestedObject = (obj: K, path: string, value: V): K => { + if (!path.includes('.')) { + return { + ...obj, + [path]: value, + } as unknown as K; + } + + const [field, ...remainingPath] = path.split('.'); + const nextPath = remainingPath.join('.'); + + return { + ...obj, + [field]: updateNestedObject((obj as any)[field] || {}, nextPath, value), + } as unknown as K; + }; + + /** + * Updates the entire object using deep merge + */ + const updateObject = useCallback((newPartialValue: Partial) => { + setValue((prev) => deepMerge(prev, newPartialValue)); + }, []); + + /** + * Resets to the initial state + */ + const reset = useCallback(() => { + setValue(initialValue); + }, [initialValue]); + + return [value, updateField, updateObject, reset] as const; +} diff --git a/packages/client/src/lib/api.ts b/packages/client/src/lib/api.ts index 3afb578af4d..420c85f9ca2 100644 --- a/packages/client/src/lib/api.ts +++ b/packages/client/src/lib/api.ts @@ -1,5 +1,6 @@ import type { Agent, Character, UUID, Memory } from '@elizaos/core'; import { WorldManager } from './world-manager'; +import { deepMerge } from './utils'; const API_PREFIX = '/api'; @@ -254,12 +255,31 @@ export const apiClient = { }, deleteAgent: (agentId: string): Promise<{ success: boolean }> => fetcher({ url: `/agents/${agentId}`, method: 'DELETE' }), - updateAgent: (agentId: string, agent: Agent) => - fetcher({ - url: `/agents/${agentId}`, - method: 'PATCH', - body: agent, - }), + updateAgent: async (agentId: string, agent: Agent) => { + // First get the current agent to ensure we have complete data + try { + const currentAgentResponse = await fetcher({ url: `/agents/${agentId}` }); + const currentAgent = currentAgentResponse.data; + + // If we have the current agent, merge the updates with it + // This ensures all JSONb fields are properly handled + const mergedAgent = currentAgent ? deepMerge(currentAgent, agent) : agent; + + return fetcher({ + url: `/agents/${agentId}`, + method: 'PATCH', + body: mergedAgent, + }); + } catch (error) { + // If we can't get the current agent for some reason, just send the update + console.warn('Could not fetch current agent data before update:', error); + return fetcher({ + url: `/agents/${agentId}`, + method: 'PATCH', + body: agent, + }); + } + }, createAgent: (params: { characterPath?: string; characterJson?: Character }) => fetcher({ url: '/agents/', diff --git a/packages/client/src/lib/utils.ts b/packages/client/src/lib/utils.ts index 848bfd2dd94..6b06986a7d8 100644 --- a/packages/client/src/lib/utils.ts +++ b/packages/client/src/lib/utils.ts @@ -44,7 +44,7 @@ export function urlToCharacterName(urlName: string): string { // crypto.randomUUID only works in https context in firefox export function randomUUID(): UUID { - return URL.createObjectURL(new Blob()).split('/').pop(); + return URL.createObjectURL(new Blob()).split('/').pop() as UUID; } export function getEntityId(): UUID { @@ -104,3 +104,72 @@ export const compressImage = ( reader.readAsDataURL(file); }); }; + +/** + * Deeply merges multiple objects together + * - Arrays are completely replaced (not merged) + * - Null values explicitly overwrite existing values + * - Undefined values are ignored (don't overwrite) + * + * @param target The base object to merge into + * @param sources One or more source objects to merge from + * @returns A new merged object + */ +export function deepMerge(target: T, ...sources: Partial[]): T { + if (!sources.length) return target; + + const result = { ...target }; + + sources.forEach((source) => { + if (!source) return; + + Object.keys(source).forEach((key) => { + const sourceValue = source[key as keyof typeof source]; + + // Skip undefined values - they shouldn't overwrite existing values + if (sourceValue === undefined) return; + + // Handle null values - they should explicitly overwrite + if (sourceValue === null) { + result[key as keyof T] = null as any; + return; + } + + // For arrays, completely replace them + if (Array.isArray(sourceValue)) { + result[key as keyof T] = [...sourceValue] as any; + return; + } + + // For objects, recursively merge + if ( + typeof sourceValue === 'object' && + !Array.isArray(sourceValue) && + sourceValue !== null && + typeof result[key as keyof T] === 'object' && + result[key as keyof T] !== null && + !Array.isArray(result[key as keyof T]) + ) { + result[key as keyof T] = deepMerge(result[key as keyof T] as any, sourceValue as any); + return; + } + + // For all other values, just replace them + result[key as keyof T] = sourceValue as any; + }); + }); + + return result; +} + +/** + * Prepares agent data for update by ensuring all JSONb fields are properly + * merged with the existing agent data + * + * @param existingAgent The current agent data from the database + * @param updates The partial updates to be applied + * @returns A merged agent object ready for database update + */ +export function prepareAgentUpdate(existingAgent: T, updates: Partial): T { + return deepMerge(existingAgent, updates); +} diff --git a/packages/plugin-sql/src/base.ts b/packages/plugin-sql/src/base.ts index 7da4b062a81..110cbcea757 100644 --- a/packages/plugin-sql/src/base.ts +++ b/packages/plugin-sql/src/base.ts @@ -247,8 +247,85 @@ export abstract class BaseDrizzleAdapter< }); } + /** + * Validates the agent update request + * @param agentId The ID of the agent to update + * @param agent The agent data to validate + * @throws Error if validation fails + */ + private validateAgentUpdate(agentId: UUID, agent: Partial): void { + if (!agent.id) { + throw new Error('Agent ID is required for update'); + } + } + + /** + * Merges nested JSONb objects within the agent settings + * @param existingAgent The current agent data + * @param updates The updates to apply + * @returns Merged settings object + */ + private mergeAgentSettings(existingAgent: Agent, updates: Partial): Agent['settings'] { + if (!updates.settings || !existingAgent.settings) { + return updates.settings || existingAgent.settings; + } + + const mergedSettings = { + ...existingAgent.settings, + ...updates.settings, + }; + + // Handle nested secrets within settings + if (updates.settings.secrets && existingAgent.settings.secrets) { + mergedSettings.secrets = { + ...existingAgent.settings.secrets, + ...updates.settings.secrets, + }; + } + + return mergedSettings; + } + + /** + * Merges style-related fields, handling arrays appropriately + * @param existingAgent The current agent data + * @param updates The updates to apply + * @returns Merged style object + */ + private mergeAgentStyle(existingAgent: Agent, updates: Partial): Agent['style'] { + if (!updates.style) { + return existingAgent.style; + } + + return { + ...existingAgent.style, + ...updates.style, + }; + } + + /** + * Merges array fields, replacing them entirely if provided + * @param existingAgent The current agent data + * @param updates The updates to apply + * @returns Object containing merged array fields + */ + private mergeArrayFields(existingAgent: Agent, updates: Partial): Partial { + const mergedFields: Partial = {}; + + // Handle array JSONb fields - these should be replaced entirely if provided + if (updates.plugins !== undefined) mergedFields.plugins = updates.plugins; + if (updates.bio !== undefined) mergedFields.bio = updates.bio; + if (updates.topics !== undefined) mergedFields.topics = updates.topics; + if (updates.adjectives !== undefined) mergedFields.adjectives = updates.adjectives; + if (updates.knowledge !== undefined) mergedFields.knowledge = updates.knowledge; + + return mergedFields; + } + /** * Updates an agent in the database with the provided agent ID and data. + * Properly handles merging of nested JSONb fields. + * * @param {UUID} agentId - The unique identifier of the agent to update. * @param {Partial} agent - The partial agent object containing the fields to update. * @returns {Promise} - A boolean indicating if the agent was successfully updated. @@ -256,18 +333,26 @@ export abstract class BaseDrizzleAdapter< async updateAgent(agentId: UUID, agent: Partial): Promise { return this.withDatabase(async () => { try { - if (!agent.id) { - throw new Error('Agent ID is required for update'); + this.validateAgentUpdate(agentId, agent); + + // Get the existing agent to properly merge JSONb fields + const existingAgent = await this.getAgent(agentId); + if (!existingAgent) { + throw new Error(`Agent with ID ${agentId} not found`); } + // Merge all fields using helper functions + const mergedAgent: Partial = { + ...existingAgent, + ...agent, + updatedAt: Date.now(), + settings: this.mergeAgentSettings(existingAgent, agent), + style: this.mergeAgentStyle(existingAgent, agent), + ...this.mergeArrayFields(existingAgent, agent), + }; + await this.db.transaction(async (tx) => { - await tx - .update(agentTable) - .set({ - ...agent, - updatedAt: Date.now(), - }) - .where(eq(agentTable.id, agentId)); + await tx.update(agentTable).set(mergedAgent).where(eq(agentTable.id, agentId)); }); logger.debug('Agent updated successfully:', { From bf6cc61324f94776cd8995f919cf3ee69738acc8 Mon Sep 17 00:00:00 2001 From: 0xbbjoker <0xbbjoker@proton.me> Date: Thu, 20 Mar 2025 19:14:27 +0100 Subject: [PATCH 2/3] feat: make partial updates by navbars in char settings --- .../client/src/components/agent-creator.tsx | 39 ++- .../client/src/components/agent-settings.tsx | 93 ++++--- .../client/src/components/avatar-panel.tsx | 41 ++- .../client/src/components/character-form.tsx | 64 ++--- .../client/src/components/plugins-panel.tsx | 44 ++- packages/client/src/hooks/use-agent-update.ts | 255 ++++++++++++++++-- .../client/src/hooks/use-partial-update.ts | 173 +++++++++++- packages/core/package.json | 20 +- 8 files changed, 587 insertions(+), 142 deletions(-) diff --git a/packages/client/src/components/agent-creator.tsx b/packages/client/src/components/agent-creator.tsx index c85831e3f06..e11e401bc10 100644 --- a/packages/client/src/components/agent-creator.tsx +++ b/packages/client/src/components/agent-creator.tsx @@ -7,25 +7,31 @@ import { useState } from 'react'; import { useNavigate } from 'react-router-dom'; import AvatarPanel from './avatar-panel'; import PluginsPanel from './plugins-panel'; -import SecretPanel from './secret-panel'; +import { SecretPanel } from './secret-panel'; +import { useAgentUpdate } from '@/hooks/use-agent-update'; -const defaultCharacter = { +// Define a partial agent for initialization +const defaultCharacter: Partial = { name: '', username: '', system: '', bio: [] as string[], topics: [] as string[], adjectives: [] as string[], -} as Agent; + settings: { secrets: {} }, +}; export default function AgentCreator() { const navigate = useNavigate(); const { toast } = useToast(); const queryClient = useQueryClient(); - const [characterValue, setCharacterValue] = useState({ + const [initialCharacter] = useState>({ ...defaultCharacter, }); + // Use agent update hook for proper handling of nested fields + const agentState = useAgentUpdate(initialCharacter as Agent); + const ensureRequiredFields = (character: Agent): Agent => { return { ...character, @@ -40,12 +46,18 @@ export default function AgentCreator() { chat: character.style?.chat ?? [], post: character.style?.post ?? [], }, + settings: character.settings ?? { secrets: {} }, }; }; const handleSubmit = async (character: Agent) => { try { const completeCharacter = ensureRequiredFields(character); + + console.log('[AgentCreator] Creating agent with:', completeCharacter); + console.log('[AgentCreator] Settings:', completeCharacter.settings); + console.log('[AgentCreator] Secrets:', completeCharacter.settings?.secrets); + await apiClient.createAgent({ characterJson: completeCharacter, }); @@ -60,6 +72,7 @@ export default function AgentCreator() { queryClient.invalidateQueries({ queryKey: ['agents'] }); navigate('/'); } catch (error) { + console.error('[AgentCreator] Error creating agent:', error); toast({ title: 'Error', description: error instanceof Error ? error.message : 'Failed to create character', @@ -70,12 +83,12 @@ export default function AgentCreator() { return ( setCharacterValue(defaultCharacter)} + onReset={agentState.reset} onDelete={() => { navigate('/'); }} @@ -84,19 +97,25 @@ export default function AgentCreator() { { name: 'Plugins', component: ( - + ), }, { name: 'Secret', component: ( - + { + console.log('[AgentCreator] SecretPanel onChange called with:', updatedAgent); + agentState.updateObject(updatedAgent); + }} + /> ), }, { name: 'Avatar', component: ( - + ), }, ]} diff --git a/packages/client/src/components/agent-settings.tsx b/packages/client/src/components/agent-settings.tsx index d25a861ad48..2327aba6228 100644 --- a/packages/client/src/components/agent-settings.tsx +++ b/packages/client/src/components/agent-settings.tsx @@ -2,53 +2,55 @@ import CharacterForm from '@/components/character-form'; import { useToast } from '@/hooks/use-toast'; import { useAgentUpdate } from '@/hooks/use-agent-update'; import { apiClient } from '@/lib/api'; -import { deepMerge } from '@/lib/utils'; import type { Agent, UUID } from '@elizaos/core'; import { useQueryClient } from '@tanstack/react-query'; -import { useState, useEffect } from 'react'; +import { useEffect } from 'react'; import { useNavigate } from 'react-router-dom'; import AvatarPanel from './avatar-panel'; import PluginsPanel from './plugins-panel'; -import SecretPanel from './secret-panel'; +import { SecretPanel } from './secret-panel'; export default function AgentSettings({ agent, agentId }: { agent: Agent; agentId: UUID }) { const { toast } = useToast(); const navigate = useNavigate(); const queryClient = useQueryClient(); - // Use our agent update hook for more intelligent handling of JSONb fields - const { agent: agentState, updateObject, reset } = useAgentUpdate(agent); - const [characterValue, setCharacterValue] = useState(agent); + console.log('[AgentSettings] Initializing with agent:', agent); - // Keep characterValue in sync with agentState (our source of truth) - useEffect(() => { - setCharacterValue(agentState); - }, [agentState]); + // Use our enhanced agent update hook for more intelligent handling of JSONb fields + const agentState = useAgentUpdate(agent); - // When setCharacterValue is called, update our agentState - const handleCharacterValueChange = (updater: (prev: Agent) => Agent) => { - const newValue = updater(characterValue); - updateObject(newValue); - setCharacterValue(newValue); - }; + // Log whenever agent state changes + useEffect(() => { + console.log('[AgentSettings] Agent state updated:', agentState.agent); + console.log('[AgentSettings] Settings.secrets:', agentState.agent.settings?.secrets); + }, [agentState.agent]); const handleSubmit = async (updatedAgent: Agent) => { try { - // Call the API to update the agent's character if (!agentId) { throw new Error('Agent ID is missing'); } - // Make sure we're properly merging all JSONb fields - // Get the original agent to ensure we're starting with complete data - const { data: currentAgent } = await apiClient.getAgent(agentId); + console.log('[AgentSettings] Submitting agent update:', updatedAgent); + console.log('[AgentSettings] Settings being submitted:', updatedAgent.settings); + console.log('[AgentSettings] Secrets being submitted:', updatedAgent.settings?.secrets); - // Create a properly merged agent object - // This ensures all JSONb fields are correctly handled - const mergedAgent = deepMerge(currentAgent, { + // Make sure we're properly handling all JSONb fields + const mergedAgent = { ...updatedAgent, - plugins: characterValue.plugins, // Preserve the plugins from our local state - }); + // Explicitly ensure all these fields are properly included + id: agentId, + bio: updatedAgent.bio || [], + topics: updatedAgent.topics || [], + adjectives: updatedAgent.adjectives || [], + plugins: updatedAgent.plugins || [], + style: updatedAgent.style || { all: [], chat: [], post: [] }, + settings: updatedAgent.settings || { secrets: {} }, + }; + + console.log('[AgentSettings] Final merged agent being sent to API:', mergedAgent); + console.log('[AgentSettings] Final secrets being sent:', mergedAgent.settings?.secrets); // Send the character update request to the agent endpoint await apiClient.updateAgent(agentId, mergedAgent); @@ -64,6 +66,7 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI description: 'Agent updated and restarted successfully', }); } catch (error) { + console.error('[AgentSettings] Error updating agent:', error); toast({ title: 'Error', description: error instanceof Error ? error.message : 'Failed to update agent', @@ -73,52 +76,58 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI } }; - const handleDelete = async (agent: Agent) => { + const handleDelete = async () => { try { - await apiClient.deleteAgent(agent.id as UUID); + await apiClient.deleteAgent(agentId); queryClient.invalidateQueries({ queryKey: ['agents'] }); navigate('/'); + + toast({ + title: 'Success', + description: 'Agent deleted successfully', + }); } catch (error) { - console.error('Error deleting agent:', error); + toast({ + title: 'Error', + description: error instanceof Error ? error.message : 'Failed to delete agent', + variant: 'destructive', + }); } }; return ( reset()} - onDelete={() => handleDelete(agent)} + onReset={agentState.reset} + onDelete={handleDelete} isAgent={true} customComponents={[ { name: 'Plugins', component: ( - + ), }, { name: 'Secret', component: ( { + console.log('[agent-settings] SecretPanel onChange called with:', updatedAgent); + agentState.updateObject(updatedAgent); + }} /> ), }, { name: 'Avatar', component: ( - + ), }, ]} diff --git a/packages/client/src/components/avatar-panel.tsx b/packages/client/src/components/avatar-panel.tsx index 178f6d140e1..f97b63d65d5 100644 --- a/packages/client/src/components/avatar-panel.tsx +++ b/packages/client/src/components/avatar-panel.tsx @@ -1,12 +1,17 @@ import { Button } from '@/components/ui/button'; import type { Agent } from '@elizaos/core'; import { Image as ImageIcon, Upload, X } from 'lucide-react'; -import { useEffect, useRef, useState } from 'react'; +import { useRef, useState } from 'react'; import { compressImage } from '@/lib/utils'; interface AvatarPanelProps { characterValue: Agent; - setCharacterValue: (value: (prev: Agent) => Agent) => void; + setCharacterValue: { + updateAvatar?: (avatarUrl: string) => void; + updateSetting?: (path: string, value: T) => void; + updateField?: (path: string, value: T) => void; + [key: string]: any; + }; } export default function AvatarPanel({ characterValue, setCharacterValue }: AvatarPanelProps) { @@ -19,21 +24,33 @@ export default function AvatarPanel({ characterValue, setCharacterValue }: Avata try { const compressedImage = await compressImage(file); setAvatar(compressedImage); + + // Update the agent state + if (setCharacterValue.updateAvatar) { + setCharacterValue.updateAvatar(compressedImage); + } else if (setCharacterValue.updateSetting) { + setCharacterValue.updateSetting('avatar', compressedImage); + } else if (setCharacterValue.updateField) { + setCharacterValue.updateField('settings.avatar', compressedImage); + } } catch (error) { console.error('Error compressing image:', error); } } }; - useEffect(() => { - setCharacterValue((prev) => ({ - ...prev, - settings: { - ...prev.settings, - avatar: avatar, - }, - })); - }, [avatar, setCharacterValue]); + const handleRemoveAvatar = () => { + setAvatar(null); + + // Update the agent state + if (setCharacterValue.updateAvatar) { + setCharacterValue.updateAvatar(''); + } else if (setCharacterValue.updateSetting) { + setCharacterValue.updateSetting('avatar', ''); + } else if (setCharacterValue.updateField) { + setCharacterValue.updateField('settings.avatar', ''); + } + }; return (
@@ -45,7 +62,7 @@ export default function AvatarPanel({ characterValue, setCharacterValue }: Avata Character Avatar @@ -110,7 +126,7 @@ export default function PluginsPanel({ characterValue, setCharacterValue }: Plug variant="ghost" className="w-full justify-start font-normal" onClick={() => { - handlePluginToggle(plugin); + handlePluginAdd(plugin); setSearchQuery(''); setIsDialogOpen(false); }} diff --git a/packages/client/src/hooks/use-agent-update.ts b/packages/client/src/hooks/use-agent-update.ts index 7c70699fb56..328ab621e64 100644 --- a/packages/client/src/hooks/use-agent-update.ts +++ b/packages/client/src/hooks/use-agent-update.ts @@ -4,14 +4,24 @@ import { useCallback } from 'react'; /** * A custom hook for handling Agent updates with specific handling for JSONb fields. - * This hook builds on usePartialUpdate but adds Agent-specific convenience methods. + * This hook builds on usePartialUpdate but adds Agent-specific convenience methods + * organized by the UI tabs (Basic Info, Content, Style, Plugins, etc.). * * @param initialAgent The initial Agent object * @returns Object with agent state and update methods */ export function useAgentUpdate(initialAgent: Agent) { - const [agent, updateField, updateObject, reset] = usePartialUpdate(initialAgent); + const { + value: agent, + updateField, + addArrayItem, + removeArrayItem, + updateObject, + reset, + updateSettings, + } = usePartialUpdate(initialAgent); + // ==================== Basic Info Tab ==================== /** * Updates a field in the Agent's settings object * @@ -20,11 +30,38 @@ export function useAgentUpdate(initialAgent: Agent) { */ const updateSetting = useCallback( (path: string, value: T) => { + console.log('[useAgentUpdate] updateSetting called for path:', path, 'value:', value); updateField(`settings.${path}`, value); }, [updateField] ); + /** + * Updates the entire settings object + * + * @param settings The new settings object + */ + const setSettings = useCallback( + (settings: any) => { + console.log('[useAgentUpdate] setSettings called with:', settings); + updateSettings(settings); + }, + [updateSettings] + ); + + /** + * Updates the agent's system prompt + * + * @param systemPrompt The new system prompt + */ + const updateSystemPrompt = useCallback( + (systemPrompt: string) => { + updateField('system', systemPrompt); + }, + [updateField] + ); + + // ==================== Secrets Tab ==================== /** * Updates a secret in the Agent's settings.secrets object * @@ -33,32 +70,139 @@ export function useAgentUpdate(initialAgent: Agent) { */ const updateSecret = useCallback( (key: string, value: string) => { - updateField(`settings.secrets.${key}`, value); + console.log('[useAgentUpdate] updateSecret called for key:', key, 'value:', value); + + // Handle nested secrets object properly + const currentSettings = agent.settings || {}; + const currentSecrets = currentSettings.secrets || {}; + + const newSecrets = { + ...currentSecrets, + [key]: value, + }; + + console.log('[useAgentUpdate] New secrets object:', newSecrets); + + // Update entire settings object for better change detection + updateSettings({ + ...currentSettings, + secrets: newSecrets, + }); }, - [updateField] + [agent.settings, updateSettings] ); /** - * Updates or replaces an array field in the Agent + * Removes a secret from the Agent's settings.secrets object * - * @param fieldName Array field name (e.g., 'plugins', 'bio', etc.) - * @param value New array value + * @param key Secret key to remove */ - const updateArrayField = useCallback( - (fieldName: string, value: T[]) => { - updateField(fieldName, value); + const removeSecret = useCallback( + (key: string) => { + console.log('[useAgentUpdate] removeSecret called for key:', key); + + // Get the current secrets object + const currentSettings = agent.settings || {}; + const currentSecrets = currentSettings.secrets || {}; + + console.log('[useAgentUpdate] Current secrets before removal:', currentSecrets); + + // Create a new secrets object without the removed key + const newSecrets = { ...currentSecrets }; + delete newSecrets[key]; + + console.log('[useAgentUpdate] New secrets after removal:', newSecrets); + + // Update the entire settings object to ensure nested changes are detected + const updatedSettings = { + ...currentSettings, + secrets: newSecrets, + }; + + console.log('[useAgentUpdate] Updated settings with removed secret:', updatedSettings); + + // Use updateSettings instead of updateField for better change detection + updateSettings(updatedSettings); + }, + [agent.settings, updateSettings] + ); + + // ==================== Content Tab ==================== + /** + * Adds an item to a content array (bio, topics, adjectives) + * + * @param arrayName The name of the array field + * @param item The item to add + */ + const addContentItem = useCallback( + (arrayName: 'bio' | 'topics' | 'adjectives', item: string) => { + addArrayItem(arrayName, item); + }, + [addArrayItem] + ); + + /** + * Removes an item from a content array + * + * @param arrayName The name of the array field + * @param index The index of the item to remove + */ + const removeContentItem = useCallback( + (arrayName: 'bio' | 'topics' | 'adjectives', index: number) => { + removeArrayItem(arrayName, index); + }, + [removeArrayItem] + ); + + /** + * Updates an item in a content array + * + * @param arrayName The name of the array field + * @param index The index of the item to update + * @param value The new value + */ + const updateContentItem = useCallback( + (arrayName: 'bio' | 'topics' | 'adjectives', index: number, value: string) => { + updateField(`${arrayName}.${index}`, value); }, [updateField] ); + // ==================== Style Tab ==================== /** - * Updates a value in one of the style arrays + * Adds a style rule to one of the style arrays * * @param styleType Type of style ('all', 'chat', 'post') - * @param index Index in the array - * @param value New value + * @param rule The style rule to add */ - const updateStyleItem = useCallback( + const addStyleRule = useCallback( + (styleType: 'all' | 'chat' | 'post', rule: string) => { + addArrayItem(`style.${styleType}`, rule); + }, + [addArrayItem] + ); + + /** + * Removes a style rule from one of the style arrays + * + * @param styleType Type of style ('all', 'chat', 'post') + * @param index The index of the rule to remove + */ + const removeStyleRule = useCallback( + (styleType: 'all' | 'chat' | 'post', index: number) => { + removeArrayItem(`style.${styleType}`, index); + }, + [removeArrayItem] + ); + + /** + * Updates a style rule in one of the style arrays + * + * @param styleType Type of style ('all', 'chat', 'post') + * @param index The index of the rule to update + * @param value The new rule value + */ + const updateStyleRule = useCallback( (styleType: 'all' | 'chat' | 'post', index: number, value: string) => { updateField(`style.${styleType}.${index}`, value); }, @@ -66,7 +210,7 @@ export function useAgentUpdate(initialAgent: Agent) { ); /** - * Sets a style array + * Sets a complete style array * * @param styleType Type of style ('all', 'chat', 'post') * @param values Array of style values @@ -78,15 +222,90 @@ export function useAgentUpdate(initialAgent: Agent) { [updateField] ); + // ==================== Plugins Tab ==================== + /** + * Adds a plugin to the agent's plugins array + * + * @param pluginId The plugin ID to add + */ + const addPlugin = useCallback( + (pluginId: string) => { + addArrayItem('plugins', pluginId); + }, + [addArrayItem] + ); + + /** + * Removes a plugin from the agent's plugins array + * + * @param index The index of the plugin to remove + */ + const removePlugin = useCallback( + (index: number) => { + removeArrayItem('plugins', index); + }, + [removeArrayItem] + ); + + /** + * Sets the entire plugins array + * + * @param plugins Array of plugin IDs + */ + const setPlugins = useCallback( + (plugins: string[]) => { + updateField('plugins', plugins); + }, + [updateField] + ); + + // ==================== Avatar Tab ==================== + /** + * Updates the agent's avatar + * + * @param avatarUrl The URL of the avatar image + */ + const updateAvatar = useCallback( + (avatarUrl: string) => { + updateSetting('avatar', avatarUrl); + }, + [updateSetting] + ); + return { agent, + // Original methods updateField, updateObject, + reset, + updateSettings, + setSettings, + + // Basic Info Tab updateSetting, + updateSystemPrompt, + + // Secrets Tab updateSecret, - updateArrayField, - updateStyleItem, + removeSecret, + + // Content Tab + addContentItem, + removeContentItem, + updateContentItem, + + // Style Tab + addStyleRule, + removeStyleRule, + updateStyleRule, setStyleArray, - reset, + + // Plugins Tab + addPlugin, + removePlugin, + setPlugins, + + // Avatar Tab + updateAvatar, }; } diff --git a/packages/client/src/hooks/use-partial-update.ts b/packages/client/src/hooks/use-partial-update.ts index aac365fffbd..4ab580625b9 100644 --- a/packages/client/src/hooks/use-partial-update.ts +++ b/packages/client/src/hooks/use-partial-update.ts @@ -10,6 +10,8 @@ import { useState, useCallback } from 'react'; * @returns A tuple containing: * - The current state object * - A function to update a specific field (handles nested paths) + * - A function to add an item to an array field + * - A function to remove an item from an array field * - A function to set the entire object * - A function to reset to initial state */ @@ -23,9 +25,12 @@ export function usePartialUpdate(initialValue: T) { * @param newValue The new value for the field */ const updateField = useCallback((path: string, newValue: K) => { + console.log('[usePartialUpdate] updateField called with path:', path, 'value:', newValue); + setValue((prevValue) => { // Handle simple (non-nested) case if (!path.includes('.')) { + console.log('[usePartialUpdate] Updating simple field:', path); return { ...prevValue, [path]: newValue, @@ -56,14 +61,46 @@ export function usePartialUpdate(initialValue: T) { array[index] = updateNestedObject(array[index], deeperPath, newValue); } + console.log( + '[usePartialUpdate] Updating array field:', + arrayName, + 'index:', + index, + 'new array:', + array + ); return { ...prevValue, [arrayName]: array, } as T; } + // Special case for settings.secrets path + if (path.startsWith('settings.secrets.')) { + const secretKey = path.split('.')[2]; + console.log('[usePartialUpdate] Updating secret:', secretKey, 'with value:', newValue); + + const currentSettings = (prevValue as any).settings || {}; + const currentSecrets = currentSettings.secrets || {}; + + const newSecrets = { + ...currentSecrets, + [secretKey]: newValue, + }; + + console.log('[usePartialUpdate] New secrets object:', newSecrets); + + return { + ...prevValue, + settings: { + ...currentSettings, + secrets: newSecrets, + }, + } as T; + } + // Handle regular nested objects - return { + const result = { ...prevValue, [fieldToUpdate]: updateNestedObject( prevValue[fieldToUpdate as keyof T], @@ -71,6 +108,9 @@ export function usePartialUpdate(initialValue: T) { newValue ), } as T; + + console.log('[usePartialUpdate] Updated value with nested path:', path, 'Result:', result); + return result; }); }, []); @@ -94,6 +134,115 @@ export function usePartialUpdate(initialValue: T) { } as unknown as K; }; + /** + * Adds an item to an array field + * + * @param path Path to the array field + * @param item Item to add + */ + const addArrayItem = useCallback((path: string, item: V) => { + setValue((prevValue) => { + const pathParts = path.split('.'); + + // Handle simple array field + if (pathParts.length === 1) { + const fieldName = pathParts[0]; + const currentArray = Array.isArray(prevValue[fieldName as keyof T]) + ? [...(prevValue[fieldName as keyof T] as unknown as V[])] + : []; + + return { + ...prevValue, + [fieldName]: [...currentArray, item], + } as T; + } + + // Handle nested array field + const updatePath = path; + const currentValue = getNestedValue(prevValue, updatePath); + const currentArray = Array.isArray(currentValue) ? [...currentValue] : []; + + return setNestedValue(prevValue, updatePath, [...currentArray, item]); + }); + }, []); + + /** + * Removes an item from an array field + * + * @param path Path to the array field + * @param index Index of the item to remove + */ + const removeArrayItem = useCallback((path: string, index: number) => { + setValue((prevValue) => { + const pathParts = path.split('.'); + + // Handle simple array field + if (pathParts.length === 1) { + const fieldName = pathParts[0]; + const currentArray = Array.isArray(prevValue[fieldName as keyof T]) + ? [...(prevValue[fieldName as keyof T] as unknown as any[])] + : []; + + if (index < 0 || index >= currentArray.length) return prevValue; + + return { + ...prevValue, + [fieldName]: [...currentArray.slice(0, index), ...currentArray.slice(index + 1)], + } as T; + } + + // Handle nested array field + const updatePath = path; + const currentValue = getNestedValue(prevValue, updatePath); + + if (!Array.isArray(currentValue) || index < 0 || index >= currentValue.length) { + return prevValue; + } + + const newArray = [...currentValue.slice(0, index), ...currentValue.slice(index + 1)]; + return setNestedValue(prevValue, updatePath, newArray); + }); + }, []); + + /** + * Helper function to get a nested value from an object + */ + const getNestedValue = (obj: any, path: string): any => { + const parts = path.split('.'); + let current = obj; + + for (const part of parts) { + if (current === null || current === undefined) { + return undefined; + } + current = current[part]; + } + + return current; + }; + + /** + * Helper function to set a nested value in an object + */ + const setNestedValue = (obj: O, path: string, value: V): O => { + const parts = path.split('.'); + + if (parts.length === 1) { + return { + ...obj, + [parts[0]]: value, + } as O; + } + + const [first, ...rest] = parts; + const nextObj = (obj as any)[first] || {}; + + return { + ...obj, + [first]: setNestedValue(nextObj, rest.join('.'), value), + } as O; + }; + /** * Updates the entire object using deep merge */ @@ -108,5 +257,25 @@ export function usePartialUpdate(initialValue: T) { setValue(initialValue); }, [initialValue]); - return [value, updateField, updateObject, reset] as const; + // Special handling for updating the entire settings object + const updateSettings = useCallback((settings: any) => { + console.log('[usePartialUpdate] updateSettings called with:', settings); + setValue( + (prevValue) => + ({ + ...prevValue, + settings, + }) as T + ); + }, []); + + return { + value, + updateField, + addArrayItem, + removeArrayItem, + updateObject, + reset, + updateSettings, + }; } diff --git a/packages/core/package.json b/packages/core/package.json index 31f75e8537e..509aa26432f 100644 --- a/packages/core/package.json +++ b/packages/core/package.json @@ -49,15 +49,21 @@ "lint-staged": "15.2.10", "nodemon": "3.1.7", "pm2": "5.4.3", - "prettier": "3.5.3", - "rimraf": "6.0.1", - "rollup": "2.79.2", - "ts-node": "10.9.2", - "tslib": "2.8.1", - "tsup": "^8.4.0", - "typescript": "5.8.2" + "prettier": "3.5.3", + "rimraf": "6.0.1", + "rollup": "2.79.2", + "ts-node": "10.9.2", + "tslib": "2.8.1", + "tsup": "^8.4.0", + "typescript": "5.8.2", + "@hapi/shot": "^6.0.1", + "@types/hapi": "^18.0.14" + }, "dependencies": { + "@hapi/shot": "^6.0.1", + "@types/hapi": "^18.0.14", + "dotenv": "16.4.5", "events": "^3.3.0", "glob": "11.0.0", From 3769efcc57c7d25c9af6088526385bd2f2168ecd Mon Sep 17 00:00:00 2001 From: 0xbbjoker <0xbbjoker@proton.me> Date: Thu, 20 Mar 2025 21:00:05 +0100 Subject: [PATCH 3/3] feat: restructure update by panels chore: remove debug logs chore: remove logs & fix avatar size chore: optimize logic for update fix: remove unused vars chore: ensure min req for agent start chore: remove unused function chore: enahnce settings update on agent chore: clean the code --- .../client/src/components/agent-creator.tsx | 12 +- .../client/src/components/agent-settings.tsx | 57 +++--- .../client/src/components/avatar-panel.tsx | 41 +++-- .../client/src/components/character-form.tsx | 17 +- .../client/src/components/plugins-panel.tsx | 28 ++- .../client/src/components/secret-panel.tsx | 94 ++++++++-- packages/client/src/hooks/use-agent-update.ts | 127 ++++++++++++-- .../client/src/hooks/use-partial-update.ts | 69 ++++---- packages/client/src/lib/api.ts | 29 +-- packages/client/src/lib/utils.ts | 69 -------- packages/plugin-sql/src/base.ts | 165 ++++++++---------- 11 files changed, 400 insertions(+), 308 deletions(-) diff --git a/packages/client/src/components/agent-creator.tsx b/packages/client/src/components/agent-creator.tsx index e11e401bc10..223ea72d470 100644 --- a/packages/client/src/components/agent-creator.tsx +++ b/packages/client/src/components/agent-creator.tsx @@ -18,6 +18,7 @@ const defaultCharacter: Partial = { bio: [] as string[], topics: [] as string[], adjectives: [] as string[], + plugins: ['@elizaos/plugin-sql', '@elizaos/plugin-local-ai'], settings: { secrets: {} }, }; @@ -53,11 +54,6 @@ export default function AgentCreator() { const handleSubmit = async (character: Agent) => { try { const completeCharacter = ensureRequiredFields(character); - - console.log('[AgentCreator] Creating agent with:', completeCharacter); - console.log('[AgentCreator] Settings:', completeCharacter.settings); - console.log('[AgentCreator] Secrets:', completeCharacter.settings?.secrets); - await apiClient.createAgent({ characterJson: completeCharacter, }); @@ -72,7 +68,6 @@ export default function AgentCreator() { queryClient.invalidateQueries({ queryKey: ['agents'] }); navigate('/'); } catch (error) { - console.error('[AgentCreator] Error creating agent:', error); toast({ title: 'Error', description: error instanceof Error ? error.message : 'Failed to create character', @@ -88,7 +83,7 @@ export default function AgentCreator() { title="Character Settings" description="Configure your AI character's behavior and capabilities" onSubmit={handleSubmit} - onReset={agentState.reset} + onReset={() => agentState.reset()} onDelete={() => { navigate('/'); }} @@ -106,8 +101,7 @@ export default function AgentCreator() { { - console.log('[AgentCreator] SecretPanel onChange called with:', updatedAgent); - agentState.updateObject(updatedAgent); + agentState.updateSettings(updatedAgent.settings); }} /> ), diff --git a/packages/client/src/components/agent-settings.tsx b/packages/client/src/components/agent-settings.tsx index 2327aba6228..5ad59ca362c 100644 --- a/packages/client/src/components/agent-settings.tsx +++ b/packages/client/src/components/agent-settings.tsx @@ -15,45 +15,39 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI const navigate = useNavigate(); const queryClient = useQueryClient(); - console.log('[AgentSettings] Initializing with agent:', agent); - // Use our enhanced agent update hook for more intelligent handling of JSONb fields const agentState = useAgentUpdate(agent); // Log whenever agent state changes - useEffect(() => { - console.log('[AgentSettings] Agent state updated:', agentState.agent); - console.log('[AgentSettings] Settings.secrets:', agentState.agent.settings?.secrets); - }, [agentState.agent]); + useEffect(() => {}, [agentState.agent]); - const handleSubmit = async (updatedAgent: Agent) => { + const handleSubmit = async () => { try { if (!agentId) { throw new Error('Agent ID is missing'); } - console.log('[AgentSettings] Submitting agent update:', updatedAgent); - console.log('[AgentSettings] Settings being submitted:', updatedAgent.settings); - console.log('[AgentSettings] Secrets being submitted:', updatedAgent.settings?.secrets); + // Get only the fields that have changed + const changedFields = agentState.getChangedFields(); + + // No need to send update if nothing changed + if (Object.keys(changedFields).length === 0) { + toast({ + title: 'No Changes', + description: 'No changes were made to the agent', + }); + navigate('/'); + return; + } - // Make sure we're properly handling all JSONb fields - const mergedAgent = { - ...updatedAgent, - // Explicitly ensure all these fields are properly included + // Always include the ID + const partialUpdate = { id: agentId, - bio: updatedAgent.bio || [], - topics: updatedAgent.topics || [], - adjectives: updatedAgent.adjectives || [], - plugins: updatedAgent.plugins || [], - style: updatedAgent.style || { all: [], chat: [], post: [] }, - settings: updatedAgent.settings || { secrets: {} }, + ...changedFields, }; - console.log('[AgentSettings] Final merged agent being sent to API:', mergedAgent); - console.log('[AgentSettings] Final secrets being sent:', mergedAgent.settings?.secrets); - - // Send the character update request to the agent endpoint - await apiClient.updateAgent(agentId, mergedAgent); + // Send the partial update + await apiClient.updateAgent(agentId, partialUpdate as Agent); // Invalidate both the agent query and the agents list queryClient.invalidateQueries({ queryKey: ['agent', agentId] }); @@ -66,7 +60,6 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI description: 'Agent updated and restarted successfully', }); } catch (error) { - console.error('[AgentSettings] Error updating agent:', error); toast({ title: 'Error', description: error instanceof Error ? error.message : 'Failed to update agent', @@ -118,8 +111,16 @@ export default function AgentSettings({ agent, agentId }: { agent: Agent; agentI { - console.log('[agent-settings] SecretPanel onChange called with:', updatedAgent); - agentState.updateObject(updatedAgent); + if (updatedAgent.settings && updatedAgent.settings.secrets) { + // Create a new settings object with the updated secrets + const updatedSettings = { + ...agentState.agent.settings, + secrets: updatedAgent.settings.secrets, + }; + + // Use updateSettings to properly handle the secrets + agentState.updateSettings(updatedSettings); + } }} /> ), diff --git a/packages/client/src/components/avatar-panel.tsx b/packages/client/src/components/avatar-panel.tsx index f97b63d65d5..e20f8285a4d 100644 --- a/packages/client/src/components/avatar-panel.tsx +++ b/packages/client/src/components/avatar-panel.tsx @@ -1,7 +1,7 @@ import { Button } from '@/components/ui/button'; import type { Agent } from '@elizaos/core'; import { Image as ImageIcon, Upload, X } from 'lucide-react'; -import { useRef, useState } from 'react'; +import { useRef, useState, useEffect } from 'react'; import { compressImage } from '@/lib/utils'; interface AvatarPanelProps { @@ -16,23 +16,25 @@ interface AvatarPanelProps { export default function AvatarPanel({ characterValue, setCharacterValue }: AvatarPanelProps) { const [avatar, setAvatar] = useState(characterValue?.settings?.avatar || null); + const [hasChanged, setHasChanged] = useState(false); const fileInputRef = useRef(null); + // Reset the change flag when component initializes or character changes + useEffect(() => { + setAvatar(characterValue?.settings?.avatar || null); + setHasChanged(false); + }, [characterValue.id]); + const handleFileUpload = async (event: React.ChangeEvent) => { const file = event.target.files?.[0]; if (file) { try { const compressedImage = await compressImage(file); setAvatar(compressedImage); + setHasChanged(true); - // Update the agent state - if (setCharacterValue.updateAvatar) { - setCharacterValue.updateAvatar(compressedImage); - } else if (setCharacterValue.updateSetting) { - setCharacterValue.updateSetting('avatar', compressedImage); - } else if (setCharacterValue.updateField) { - setCharacterValue.updateField('settings.avatar', compressedImage); - } + // Only update when there's a real change + updateCharacterAvatar(compressedImage); } catch (error) { console.error('Error compressing image:', error); } @@ -40,15 +42,24 @@ export default function AvatarPanel({ characterValue, setCharacterValue }: Avata }; const handleRemoveAvatar = () => { - setAvatar(null); + if (avatar) { + setAvatar(null); + setHasChanged(true); + updateCharacterAvatar(''); + } + }; - // Update the agent state + // Centralized update function to avoid code duplication + const updateCharacterAvatar = (avatarUrl: string) => { if (setCharacterValue.updateAvatar) { - setCharacterValue.updateAvatar(''); + // Use the specialized method for avatar updates when available + setCharacterValue.updateAvatar(avatarUrl); } else if (setCharacterValue.updateSetting) { - setCharacterValue.updateSetting('avatar', ''); + // Use updateSetting as fallback + setCharacterValue.updateSetting('avatar', avatarUrl); } else if (setCharacterValue.updateField) { - setCharacterValue.updateField('settings.avatar', ''); + // Last resort - use the generic field update + setCharacterValue.updateField('settings.avatar', avatarUrl); } }; @@ -84,6 +95,8 @@ export default function AvatarPanel({ characterValue, setCharacterValue }: Avata + + {hasChanged &&

Avatar has been updated

}
); diff --git a/packages/client/src/components/character-form.tsx b/packages/client/src/components/character-form.tsx index 50634c9e867..a443b0b3fa0 100644 --- a/packages/client/src/components/character-form.tsx +++ b/packages/client/src/components/character-form.tsx @@ -140,7 +140,7 @@ export type CharacterFormProps = { updateField: (path: string, value: T) => void; addArrayItem?: (path: string, item: T) => void; removeArrayItem?: (path: string, index: number) => void; - updateObject?: (newPartialValue: Partial) => void; + updateSetting?: (path: string, value: any) => void; [key: string]: any; }; }; @@ -165,6 +165,17 @@ export default function CharacterForm({ if (type === 'checkbox') { setCharacterValue.updateField(name, checked); + } else if (name.startsWith('settings.')) { + // Handle nested settings fields like settings.voice.model + const path = name.substring(9); // Remove 'settings.' prefix + + if (setCharacterValue.updateSetting) { + // Use the specialized method if available + setCharacterValue.updateSetting(path, value); + } else { + // Fall back to generic updateField + setCharacterValue.updateField(name, value); + } } else { setCharacterValue.updateField(name, value); } @@ -216,7 +227,7 @@ export default function CharacterForm({ return char; }; - const handleSubmit = async (e: FormEvent) => { + const handleFormSubmit = async (e: FormEvent) => { e.preventDefault(); setIsSubmitting(true); @@ -287,7 +298,7 @@ export default function CharacterForm({ -
+ { - if (!plugins) return []; - return Object.keys(plugins).map((name) => name.replace(/^@elizaos-plugins\//, '@elizaos/')); - }, [plugins]); + const [hasChanged, setHasChanged] = useState(false); // Ensure we always have arrays and normalize plugin names const safeCharacterPlugins = useMemo(() => { @@ -38,6 +34,17 @@ export default function PluginsPanel({ characterValue, setCharacterValue }: Plug return characterValue.plugins; }, [characterValue?.plugins]); + // Get plugin names from available plugins + const pluginNames = useMemo(() => { + if (!plugins) return []; + return Object.keys(plugins).map((name) => name.replace(/^@elizaos-plugins\//, '@elizaos/')); + }, [plugins]); + + // Reset change tracking when character changes + useEffect(() => { + setHasChanged(false); + }, [characterValue.id]); + const filteredPlugins = useMemo(() => { return pluginNames .filter((plugin) => !safeCharacterPlugins.includes(plugin)) @@ -45,6 +52,10 @@ export default function PluginsPanel({ characterValue, setCharacterValue }: Plug }, [pluginNames, safeCharacterPlugins, searchQuery]); const handlePluginAdd = (plugin: string) => { + if (safeCharacterPlugins.includes(plugin)) return; + + setHasChanged(true); + if (setCharacterValue.addPlugin) { setCharacterValue.addPlugin(plugin); } else if (setCharacterValue.updateField) { @@ -58,6 +69,8 @@ export default function PluginsPanel({ characterValue, setCharacterValue }: Plug const handlePluginRemove = (plugin: string) => { const index = safeCharacterPlugins.indexOf(plugin); if (index !== -1) { + setHasChanged(true); + if (setCharacterValue.removePlugin) { setCharacterValue.removePlugin(index); } else if (setCharacterValue.updateField) { @@ -140,6 +153,9 @@ export default function PluginsPanel({ characterValue, setCharacterValue }: Plug + {hasChanged && ( +

Plugins configuration has been updated

+ )} )} diff --git a/packages/client/src/components/secret-panel.tsx b/packages/client/src/components/secret-panel.tsx index 45916606e85..fe3aacf60e6 100644 --- a/packages/client/src/components/secret-panel.tsx +++ b/packages/client/src/components/secret-panel.tsx @@ -32,6 +32,13 @@ export default function EnvSettingsPanel({ characterValue, setCharacterValue }: const [openIndex, setOpenIndex] = useState(null); const [editingIndex, setEditingIndex] = useState(null); const [editedValue, setEditedValue] = useState(''); +<<<<<<< HEAD +======= + // Keep track of deleted keys to ensure proper removal + const [deletedKeys, setDeletedKeys] = useState([]); + // Track if changes are pending to avoid unnecessary updates + const [changesPending, setChangesPending] = useState(false); +>>>>>>> 34f5bfeb8 (chore: optimize logic for update) const dropdownRef = useRef(null); const dropRef = useRef(null); @@ -118,8 +125,12 @@ export default function EnvSettingsPanel({ characterValue, setCharacterValue }: } return updated; }); - setName(''); - setValue(''); + setEnvs([...envs, { name, value, isNew: true }]); + setName(''); + setValue(''); + setChangesPending(true); + } + } }; @@ -132,6 +143,12 @@ export default function EnvSettingsPanel({ characterValue, setCharacterValue }: const saveEdit = (index: number) => { const updatedEnvs = [...envs]; updatedEnvs[index].value = editedValue; + // Only mark as modified if the value actually changed + if (updatedEnvs[index].value !== editedValue) { + updatedEnvs[index].value = editedValue; + updatedEnvs[index].isModified = true; + setChangesPending(true); + } setEnvs(updatedEnvs); setEditingIndex(null); }; @@ -140,6 +157,7 @@ export default function EnvSettingsPanel({ characterValue, setCharacterValue }: setEnvs(envs.filter((_, i) => i !== index)); setOpenIndex(null); setEditingIndex(null); + setChangesPending(true); }; useEffect(() => { @@ -155,17 +173,73 @@ export default function EnvSettingsPanel({ characterValue, setCharacterValue }: }; }, []); - // Update the agent's settings whenever envs change + // Update character value when envs change, but only if there are actual changes useEffect(() => { - // Create the secrets object from the envs array - const secrets = Object.fromEntries(envs.map(({ name, value }) => [name, value])); + if (changesPending) { + // Create a minimal update object to send only the changes + const currentSecrets: Record = {}; + + // Map updated values + envs.forEach(({ name, value }) => { + currentSecrets[name] = value; + }); + + // Add null values for deleted keys to explicitly mark them for removal + deletedKeys.forEach((key) => { + currentSecrets[key] = null; + }); + + // Create a minimal agent object with just the secrets changes + const updatedAgent: Partial = { + settings: { + secrets: currentSecrets, + }, + }; - // Update just the settings.secrets part without touching other settings - updateField('settings.secrets', secrets); + // Call the onChange prop with the updated agent + onChange(updatedAgent as Agent); - // Update the parent component's state - setCharacterValue(() => agentState); - }, [envs, setCharacterValue, updateField, agentState]); + // Reset change tracking flags + setEnvs((prevEnvs) => { + return prevEnvs.map((env) => ({ + ...env, + isNew: false, + isModified: false, + })); + }); + + // Clear deletedKeys after changes are applied + setDeletedKeys([]); + setChangesPending(false); + } + }, [envs, onChange, deletedKeys, changesPending]); + + // Sync envs with characterValue when it changes (only if not in middle of edit) + useEffect(() => { + if (characterValue?.settings?.secrets && !changesPending) { + const currentSecretsEntries = Object.entries(characterValue.settings.secrets); + // Only update if the secrets have actually changed (different keys/number of entries) + const currentKeys = currentSecretsEntries + .map(([key]) => key) + .sort() + .join(','); + const envKeys = envs + .map((env) => env.name) + .sort() + .join(','); + + if (currentKeys !== envKeys) { + const newEnvs = currentSecretsEntries.map(([name, value]) => ({ + name, + value: String(value), + isNew: false, + isModified: false, + isDeleted: false, + })); + setEnvs(newEnvs); + } + } + }, [characterValue.settings?.secrets, envs, changesPending]); return (
diff --git a/packages/client/src/hooks/use-agent-update.ts b/packages/client/src/hooks/use-agent-update.ts index 328ab621e64..08018585049 100644 --- a/packages/client/src/hooks/use-agent-update.ts +++ b/packages/client/src/hooks/use-agent-update.ts @@ -1,6 +1,6 @@ import { usePartialUpdate } from '@/hooks/use-partial-update'; import type { Agent } from '@elizaos/core'; -import { useCallback } from 'react'; +import { useCallback, useRef } from 'react'; /** * A custom hook for handling Agent updates with specific handling for JSONb fields. @@ -11,12 +11,14 @@ import { useCallback } from 'react'; * @returns Object with agent state and update methods */ export function useAgentUpdate(initialAgent: Agent) { + // Keep reference to the initial state for comparison + const initialAgentRef = useRef(JSON.parse(JSON.stringify(initialAgent))); + const { value: agent, updateField, addArrayItem, removeArrayItem, - updateObject, reset, updateSettings, } = usePartialUpdate(initialAgent); @@ -30,7 +32,6 @@ export function useAgentUpdate(initialAgent: Agent) { */ const updateSetting = useCallback( (path: string, value: T) => { - console.log('[useAgentUpdate] updateSetting called for path:', path, 'value:', value); updateField(`settings.${path}`, value); }, [updateField] @@ -43,7 +44,6 @@ export function useAgentUpdate(initialAgent: Agent) { */ const setSettings = useCallback( (settings: any) => { - console.log('[useAgentUpdate] setSettings called with:', settings); updateSettings(settings); }, [updateSettings] @@ -70,8 +70,6 @@ export function useAgentUpdate(initialAgent: Agent) { */ const updateSecret = useCallback( (key: string, value: string) => { - console.log('[useAgentUpdate] updateSecret called for key:', key, 'value:', value); - // Handle nested secrets object properly const currentSettings = agent.settings || {}; const currentSecrets = currentSettings.secrets || {}; @@ -81,8 +79,6 @@ export function useAgentUpdate(initialAgent: Agent) { [key]: value, }; - console.log('[useAgentUpdate] New secrets object:', newSecrets); - // Update entire settings object for better change detection updateSettings({ ...currentSettings, @@ -99,28 +95,20 @@ export function useAgentUpdate(initialAgent: Agent) { */ const removeSecret = useCallback( (key: string) => { - console.log('[useAgentUpdate] removeSecret called for key:', key); - // Get the current secrets object const currentSettings = agent.settings || {}; const currentSecrets = currentSettings.secrets || {}; - console.log('[useAgentUpdate] Current secrets before removal:', currentSecrets); - // Create a new secrets object without the removed key const newSecrets = { ...currentSecrets }; delete newSecrets[key]; - console.log('[useAgentUpdate] New secrets after removal:', newSecrets); - // Update the entire settings object to ensure nested changes are detected const updatedSettings = { ...currentSettings, secrets: newSecrets, }; - console.log('[useAgentUpdate] Updated settings with removed secret:', updatedSettings); - // Use updateSettings instead of updateField for better change detection updateSettings(updatedSettings); }, @@ -272,15 +260,118 @@ export function useAgentUpdate(initialAgent: Agent) { [updateSetting] ); + /** + * Returns an object containing only the fields that have changed + * compared to the initial agent state + */ + const getChangedFields = useCallback(() => { + const changedFields: Partial = {}; + const current = agent; + const initial = initialAgentRef.current; + + // Compare scalar properties + const scalarProps = ['name', 'username', 'system'] as const; + scalarProps.forEach((prop) => { + if (current[prop] !== initial[prop]) { + changedFields[prop] = current[prop]; + } + }); + + if (current.enabled !== initial.enabled) { + changedFields.enabled = current.enabled; + } + + // Compare array properties with type safety + if (JSON.stringify(current.bio) !== JSON.stringify(initial.bio)) { + changedFields.bio = current.bio; + } + + if (JSON.stringify(current.topics) !== JSON.stringify(initial.topics)) { + changedFields.topics = current.topics; + } + + if (JSON.stringify(current.adjectives) !== JSON.stringify(initial.adjectives)) { + changedFields.adjectives = current.adjectives; + } + + if (JSON.stringify(current.plugins) !== JSON.stringify(initial.plugins)) { + changedFields.plugins = current.plugins; + } + + // Compare style object + if (JSON.stringify(current.style) !== JSON.stringify(initial.style)) { + changedFields.style = current.style; + } + + // More granular comparison for settings object + const initialSettings = initial.settings || {}; + const currentSettings = current.settings || {}; + + // Check if any settings changed + if (JSON.stringify(currentSettings) !== JSON.stringify(initialSettings)) { + // Create a partial settings object with only changed fields + changedFields.settings = {}; + + // Check avatar separately + if (currentSettings.avatar !== initialSettings.avatar) { + changedFields.settings.avatar = currentSettings.avatar; + } + + // Check voice settings + if (JSON.stringify(currentSettings.voice) !== JSON.stringify(initialSettings.voice)) { + changedFields.settings.voice = currentSettings.voice; + } + + // Check secrets with special handling + if (JSON.stringify(currentSettings.secrets) !== JSON.stringify(initialSettings.secrets)) { + const initialSecrets = initialSettings.secrets || {}; + const currentSecrets = currentSettings.secrets || {}; + + // Only include secrets that were added or modified + const changedSecrets: Record = {}; + let hasSecretChanges = false; + + // Find added or modified secrets + Object.entries(currentSecrets).forEach(([key, value]) => { + if (initialSecrets[key] !== value) { + changedSecrets[key] = value; + hasSecretChanges = true; + } + }); + + // Find deleted secrets (null values indicate deletion) + Object.keys(initialSecrets).forEach((key) => { + if (currentSecrets[key] === undefined) { + changedSecrets[key] = null; + hasSecretChanges = true; + } + }); + + if (hasSecretChanges) { + if (!changedFields.settings) changedFields.settings = {}; + changedFields.settings.secrets = changedSecrets; + } + } + + // If no specific settings changed, don't include settings object + if (Object.keys(changedFields.settings).length === 0) { + delete changedFields.settings; + } + } + + return changedFields; + }, [agent]); + return { agent, - // Original methods updateField, - updateObject, reset, updateSettings, setSettings, + // Method to get only changed fields + getChangedFields, + // Basic Info Tab updateSetting, updateSystemPrompt, diff --git a/packages/client/src/hooks/use-partial-update.ts b/packages/client/src/hooks/use-partial-update.ts index 4ab580625b9..60b36490c16 100644 --- a/packages/client/src/hooks/use-partial-update.ts +++ b/packages/client/src/hooks/use-partial-update.ts @@ -1,4 +1,3 @@ -import { deepMerge } from '@/lib/utils'; import { useState, useCallback } from 'react'; /** @@ -25,12 +24,9 @@ export function usePartialUpdate(initialValue: T) { * @param newValue The new value for the field */ const updateField = useCallback((path: string, newValue: K) => { - console.log('[usePartialUpdate] updateField called with path:', path, 'value:', newValue); - setValue((prevValue) => { // Handle simple (non-nested) case if (!path.includes('.')) { - console.log('[usePartialUpdate] Updating simple field:', path); return { ...prevValue, [path]: newValue, @@ -61,14 +57,6 @@ export function usePartialUpdate(initialValue: T) { array[index] = updateNestedObject(array[index], deeperPath, newValue); } - console.log( - '[usePartialUpdate] Updating array field:', - arrayName, - 'index:', - index, - 'new array:', - array - ); return { ...prevValue, [arrayName]: array, @@ -78,7 +66,6 @@ export function usePartialUpdate(initialValue: T) { // Special case for settings.secrets path if (path.startsWith('settings.secrets.')) { const secretKey = path.split('.')[2]; - console.log('[usePartialUpdate] Updating secret:', secretKey, 'with value:', newValue); const currentSettings = (prevValue as any).settings || {}; const currentSecrets = currentSettings.secrets || {}; @@ -88,8 +75,6 @@ export function usePartialUpdate(initialValue: T) { [secretKey]: newValue, }; - console.log('[usePartialUpdate] New secrets object:', newSecrets); - return { ...prevValue, settings: { @@ -109,7 +94,6 @@ export function usePartialUpdate(initialValue: T) { ), } as T; - console.log('[usePartialUpdate] Updated value with nested path:', path, 'Result:', result); return result; }); }, []); @@ -243,13 +227,6 @@ export function usePartialUpdate(initialValue: T) { } as O; }; - /** - * Updates the entire object using deep merge - */ - const updateObject = useCallback((newPartialValue: Partial) => { - setValue((prev) => deepMerge(prev, newPartialValue)); - }, []); - /** * Resets to the initial state */ @@ -258,23 +235,49 @@ export function usePartialUpdate(initialValue: T) { }, [initialValue]); // Special handling for updating the entire settings object - const updateSettings = useCallback((settings: any) => { - console.log('[usePartialUpdate] updateSettings called with:', settings); - setValue( - (prevValue) => - ({ + const updateSettings = useCallback( + (settings: any) => { + setValue((prevValue) => { + // Extract settings but remove 'secrets' key to avoid duplication + const { secrets, ...otherSettings } = settings; + + // Create the updated settings object + const updatedSettings = { + ...(prevValue as any).settings, // Start with existing settings + ...otherSettings, // Add other settings (not secrets) + }; + + // Only add secrets if it was included in the update + if (secrets) { + // Create a new secrets object that only contains non-null values + const filteredSecrets: Record = {}; + + Object.entries(secrets).forEach(([key, value]) => { + // If value is null, don't include it (this is how we delete) + if (value !== null) { + filteredSecrets[key] = value; + } + }); + + updatedSettings.secrets = filteredSecrets; + } + + const result = { ...prevValue, - settings, - }) as T - ); - }, []); + settings: updatedSettings, + } as T; + + return result; + }); + }, + [] // Remove value from dependencies to avoid unnecessary rerenders + ); return { value, updateField, addArrayItem, removeArrayItem, - updateObject, reset, updateSettings, }; diff --git a/packages/client/src/lib/api.ts b/packages/client/src/lib/api.ts index 420c85f9ca2..4546cc7db7b 100644 --- a/packages/client/src/lib/api.ts +++ b/packages/client/src/lib/api.ts @@ -1,6 +1,5 @@ import type { Agent, Character, UUID, Memory } from '@elizaos/core'; import { WorldManager } from './world-manager'; -import { deepMerge } from './utils'; const API_PREFIX = '/api'; @@ -256,29 +255,11 @@ export const apiClient = { deleteAgent: (agentId: string): Promise<{ success: boolean }> => fetcher({ url: `/agents/${agentId}`, method: 'DELETE' }), updateAgent: async (agentId: string, agent: Agent) => { - // First get the current agent to ensure we have complete data - try { - const currentAgentResponse = await fetcher({ url: `/agents/${agentId}` }); - const currentAgent = currentAgentResponse.data; - - // If we have the current agent, merge the updates with it - // This ensures all JSONb fields are properly handled - const mergedAgent = currentAgent ? deepMerge(currentAgent, agent) : agent; - - return fetcher({ - url: `/agents/${agentId}`, - method: 'PATCH', - body: mergedAgent, - }); - } catch (error) { - // If we can't get the current agent for some reason, just send the update - console.warn('Could not fetch current agent data before update:', error); - return fetcher({ - url: `/agents/${agentId}`, - method: 'PATCH', - body: agent, - }); - } + return fetcher({ + url: `/agents/${agentId}`, + method: 'PATCH', + body: agent, + }); }, createAgent: (params: { characterPath?: string; characterJson?: Character }) => fetcher({ diff --git a/packages/client/src/lib/utils.ts b/packages/client/src/lib/utils.ts index 6b06986a7d8..816b359e560 100644 --- a/packages/client/src/lib/utils.ts +++ b/packages/client/src/lib/utils.ts @@ -104,72 +104,3 @@ export const compressImage = ( reader.readAsDataURL(file); }); }; - -/** - * Deeply merges multiple objects together - * - Arrays are completely replaced (not merged) - * - Null values explicitly overwrite existing values - * - Undefined values are ignored (don't overwrite) - * - * @param target The base object to merge into - * @param sources One or more source objects to merge from - * @returns A new merged object - */ -export function deepMerge(target: T, ...sources: Partial[]): T { - if (!sources.length) return target; - - const result = { ...target }; - - sources.forEach((source) => { - if (!source) return; - - Object.keys(source).forEach((key) => { - const sourceValue = source[key as keyof typeof source]; - - // Skip undefined values - they shouldn't overwrite existing values - if (sourceValue === undefined) return; - - // Handle null values - they should explicitly overwrite - if (sourceValue === null) { - result[key as keyof T] = null as any; - return; - } - - // For arrays, completely replace them - if (Array.isArray(sourceValue)) { - result[key as keyof T] = [...sourceValue] as any; - return; - } - - // For objects, recursively merge - if ( - typeof sourceValue === 'object' && - !Array.isArray(sourceValue) && - sourceValue !== null && - typeof result[key as keyof T] === 'object' && - result[key as keyof T] !== null && - !Array.isArray(result[key as keyof T]) - ) { - result[key as keyof T] = deepMerge(result[key as keyof T] as any, sourceValue as any); - return; - } - - // For all other values, just replace them - result[key as keyof T] = sourceValue as any; - }); - }); - - return result; -} - -/** - * Prepares agent data for update by ensuring all JSONb fields are properly - * merged with the existing agent data - * - * @param existingAgent The current agent data from the database - * @param updates The partial updates to be applied - * @returns A merged agent object ready for database update - */ -export function prepareAgentUpdate(existingAgent: T, updates: Partial): T { - return deepMerge(existingAgent, updates); -} diff --git a/packages/plugin-sql/src/base.ts b/packages/plugin-sql/src/base.ts index 110cbcea757..9af92c325a3 100644 --- a/packages/plugin-sql/src/base.ts +++ b/packages/plugin-sql/src/base.ts @@ -247,85 +247,8 @@ export abstract class BaseDrizzleAdapter< }); } - /** - * Validates the agent update request - * @param agentId The ID of the agent to update - * @param agent The agent data to validate - * @throws Error if validation fails - */ - private validateAgentUpdate(agentId: UUID, agent: Partial): void { - if (!agent.id) { - throw new Error('Agent ID is required for update'); - } - } - - /** - * Merges nested JSONb objects within the agent settings - * @param existingAgent The current agent data - * @param updates The updates to apply - * @returns Merged settings object - */ - private mergeAgentSettings(existingAgent: Agent, updates: Partial): Agent['settings'] { - if (!updates.settings || !existingAgent.settings) { - return updates.settings || existingAgent.settings; - } - - const mergedSettings = { - ...existingAgent.settings, - ...updates.settings, - }; - - // Handle nested secrets within settings - if (updates.settings.secrets && existingAgent.settings.secrets) { - mergedSettings.secrets = { - ...existingAgent.settings.secrets, - ...updates.settings.secrets, - }; - } - - return mergedSettings; - } - - /** - * Merges style-related fields, handling arrays appropriately - * @param existingAgent The current agent data - * @param updates The updates to apply - * @returns Merged style object - */ - private mergeAgentStyle(existingAgent: Agent, updates: Partial): Agent['style'] { - if (!updates.style) { - return existingAgent.style; - } - - return { - ...existingAgent.style, - ...updates.style, - }; - } - - /** - * Merges array fields, replacing them entirely if provided - * @param existingAgent The current agent data - * @param updates The updates to apply - * @returns Object containing merged array fields - */ - private mergeArrayFields(existingAgent: Agent, updates: Partial): Partial { - const mergedFields: Partial = {}; - - // Handle array JSONb fields - these should be replaced entirely if provided - if (updates.plugins !== undefined) mergedFields.plugins = updates.plugins; - if (updates.bio !== undefined) mergedFields.bio = updates.bio; - if (updates.topics !== undefined) mergedFields.topics = updates.topics; - if (updates.adjectives !== undefined) mergedFields.adjectives = updates.adjectives; - if (updates.knowledge !== undefined) mergedFields.knowledge = updates.knowledge; - - return mergedFields; - } - /** * Updates an agent in the database with the provided agent ID and data. - * Properly handles merging of nested JSONb fields. - * * @param {UUID} agentId - The unique identifier of the agent to update. * @param {Partial} agent - The partial agent object containing the fields to update. * @returns {Promise} - A boolean indicating if the agent was successfully updated. @@ -333,26 +256,23 @@ export abstract class BaseDrizzleAdapter< async updateAgent(agentId: UUID, agent: Partial): Promise { return this.withDatabase(async () => { try { - this.validateAgentUpdate(agentId, agent); - - // Get the existing agent to properly merge JSONb fields - const existingAgent = await this.getAgent(agentId); - if (!existingAgent) { - throw new Error(`Agent with ID ${agentId} not found`); + if (!agent.id) { + throw new Error('Agent ID is required for update'); } - // Merge all fields using helper functions - const mergedAgent: Partial = { - ...existingAgent, - ...agent, - updatedAt: Date.now(), - settings: this.mergeAgentSettings(existingAgent, agent), - style: this.mergeAgentStyle(existingAgent, agent), - ...this.mergeArrayFields(existingAgent, agent), - }; - await this.db.transaction(async (tx) => { - await tx.update(agentTable).set(mergedAgent).where(eq(agentTable.id, agentId)); + // Handle settings update if present + if (agent.settings) { + agent.settings = await this.mergeAgentSettings(tx, agentId, agent.settings); + } + + await tx + .update(agentTable) + .set({ + ...agent, + updatedAt: Date.now(), + }) + .where(eq(agentTable.id, agentId)); }); logger.debug('Agent updated successfully:', { @@ -370,6 +290,63 @@ export abstract class BaseDrizzleAdapter< }); } + /** + * Merges updated agent settings with existing settings in the database, + * with special handling for nested objects like secrets. + * @param tx - The database transaction + * @param agentId - The ID of the agent + * @param updatedSettings - The settings object with updates + * @returns The merged settings object + * @private + */ + private async mergeAgentSettings( + tx: DrizzleOperations, + agentId: UUID, + updatedSettings: any + ): Promise { + // First get the current agent data + const currentAgent = await tx + .select({ settings: agentTable.settings }) + .from(agentTable) + .where(eq(agentTable.id, agentId)) + .limit(1); + + if (currentAgent.length === 0 || !currentAgent[0].settings) { + return updatedSettings; + } + + const currentSettings = currentAgent[0].settings; + + // Handle secrets with special null-values treatment + if (updatedSettings.secrets) { + const currentSecrets = currentSettings.secrets || {}; + const updatedSecrets = updatedSettings.secrets; + + // Create a new secrets object + const mergedSecrets = { ...currentSecrets }; + + // Process the incoming secrets updates + for (const [key, value] of Object.entries(updatedSecrets)) { + if (value === null) { + // If value is null, remove the key + delete mergedSecrets[key]; + } else { + // Otherwise, update the value + mergedSecrets[key] = value; + } + } + + // Replace the secrets in updatedSettings with our processed version + updatedSettings.secrets = mergedSecrets; + } + + // Deep merge the settings objects + return { + ...currentSettings, + ...updatedSettings, + }; + } + /** * Asynchronously deletes an agent with the specified UUID and all related entries. *