-
Notifications
You must be signed in to change notification settings - Fork 5k
/
Copy pathsettings.ts
291 lines (254 loc) · 9.62 KB
/
settings.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
// File: /swarm/shared/settings/provider.ts
// Updated to use world metadata instead of cache
import { logger } from '../logger';
import { findWorldForOwner } from '../roles';
import { getWorldSettings } from '../settings';
import {
ChannelType,
type IAgentRuntime,
type Memory,
type Provider,
type ProviderResult,
type Setting,
type State,
type WorldSettings,
} from '../types';
/**
* Formats a setting value for display, respecting privacy flags
*/
const formatSettingValue = (setting: Setting, isOnboarding: boolean): string => {
if (setting.value === null) return 'Not set';
if (setting.secret && !isOnboarding) return '****************';
return String(setting.value);
};
/**
* Generates a status message based on the current settings state
*/
function generateStatusMessage(
runtime: IAgentRuntime,
worldSettings: WorldSettings,
isOnboarding: boolean,
state?: State
): string {
try {
// Format settings for display
const formattedSettings = Object.entries(worldSettings)
.map(([key, setting]) => {
if (typeof setting !== 'object' || !setting.name) return null;
const description = setting.description || '';
const usageDescription = setting.usageDescription || '';
// Skip settings that should be hidden based on visibility function
if (setting.visibleIf && !setting.visibleIf(worldSettings)) {
return null;
}
return {
key,
name: setting.name,
value: formatSettingValue(setting, isOnboarding),
description,
usageDescription,
required: setting.required,
configured: setting.value !== null,
};
})
.filter(Boolean);
// Count required settings that are not configured
const requiredUnconfigured = formattedSettings.filter(
(s) => s.required && !s.configured
).length;
// Generate appropriate message
if (isOnboarding) {
const settingsList = formattedSettings
.map((s) => {
const label = s.required ? '(Required)' : '(Optional)';
return `${s.key}: ${s.value} ${label}\n(${s.name}) ${s.usageDescription}`;
})
.join('\n\n');
const validKeys = `Valid setting keys: ${Object.keys(worldSettings).join(', ')}`;
const commonInstructions = `Instructions for ${runtime.character.name}:
- Only update settings if the user is clearly responding to a setting you are currently asking about.
- If the user's reply clearly maps to a setting and a valid value, you **must** call the UPDATE_SETTINGS action with the correct key and value. Do not just respond with a message saying it's updated — it must be an action.
- Never hallucinate settings or respond with values not listed above.
- Answer setting-related questions using only the name, description, and value from the list.`;
if (requiredUnconfigured > 0) {
return `# PRIORITY TASK: Onboarding with ${state.senderName}
${runtime.character.name} needs to help the user configure ${requiredUnconfigured} required settings:
${settingsList}
${validKeys}
${commonInstructions}
- Prioritize configuring required settings before optional ones.`;
}
return `All required settings have been configured. Here's the current configuration:
${settingsList}
${validKeys}
${commonInstructions}`;
}
// Non-onboarding context - list all public settings with values and descriptions
return `## Current Configuration\n\n${
requiredUnconfigured > 0
? `IMPORTANT!: ${requiredUnconfigured} required settings still need configuration. ${runtime.character.name} should get onboarded with the OWNER as soon as possible.\n\n`
: 'All required settings are configured.\n\n'
}${formattedSettings
.map((s) => `### ${s.name}\n**Value:** ${s.value}\n**Description:** ${s.description}`)
.join('\n\n')}`;
} catch (error) {
logger.error(`Error generating status message: ${error}`);
return 'Error generating configuration status.';
}
}
/**
* Creates an settings provider with the given configuration
* Updated to use world metadata instead of cache
*/
export const settingsProvider: Provider = {
name: 'SETTINGS',
description: 'Current settings for the server',
get: async (runtime: IAgentRuntime, message: Memory, state?: State): Promise<ProviderResult> => {
try {
// Parallelize the initial database operations to improve performance
// These operations can run simultaneously as they don't depend on each other
const [room, userWorld] = await Promise.all([
runtime.getRoom(message.roomId),
findWorldForOwner(runtime, message.entityId),
]).catch((error) => {
logger.error(`Error fetching initial data: ${error}`);
throw new Error('Failed to retrieve room or user world information');
});
if (!room) {
logger.error('No room found for settings provider');
return {
data: {
settings: [],
},
values: {
settings: 'Error: Room not found',
},
text: 'Error: Room not found',
};
}
if (!room.worldId) {
logger.debug('No world found for settings provider -- settings provider will be skipped');
return {
data: {
settings: [],
},
values: {
settings: 'Room does not have a worldId -- settings provider will be skipped',
},
text: 'Room does not have a worldId -- settings provider will be skipped',
};
}
const type = room.type;
const isOnboarding = type === ChannelType.DM;
let world;
let serverId;
let worldSettings;
if (isOnboarding) {
// In onboarding mode, use the user's world directly
world = userWorld;
if (!world) {
logger.error('No world found for user during onboarding');
throw new Error('No server ownership found for onboarding');
}
serverId = world.serverId;
// Fetch world settings based on the server ID
try {
worldSettings = await getWorldSettings(runtime, serverId);
} catch (error) {
logger.error(`Error fetching world settings: ${error}`);
throw new Error(`Failed to retrieve settings for server ${serverId}`);
}
} else {
// For non-onboarding, we need to get the world associated with the room
try {
world = await runtime.getWorld(room.worldId);
if (!world) {
logger.error(`No world found for room ${room.worldId}`);
throw new Error(`No world found for room ${room.worldId}`);
}
serverId = world.serverId;
// Once we have the serverId, get the settings
if (serverId) {
worldSettings = await getWorldSettings(runtime, serverId);
} else {
logger.error(`No server ID found for world ${room.worldId}`);
}
} catch (error) {
logger.error(`Error processing world data: ${error}`);
throw new Error('Failed to process world information');
}
}
// If no server found after recovery attempts
if (!serverId) {
logger.info(
`No server ownership found for user ${message.entityId} after recovery attempt`
);
return isOnboarding
? {
data: {
settings: [],
},
values: {
settings:
"The user doesn't appear to have ownership of any servers. They should make sure they're using the correct account.",
},
text: "The user doesn't appear to have ownership of any servers. They should make sure they're using the correct account.",
}
: {
data: {
settings: [],
},
values: {
settings: 'Error: No configuration access',
},
text: 'Error: No configuration access',
};
}
if (!worldSettings) {
logger.info(`No settings state found for server ${serverId}`);
return isOnboarding
? {
data: {
settings: [],
},
values: {
settings:
"The user doesn't appear to have any settings configured for this server. They should configure some settings for this server.",
},
text: "The user doesn't appear to have any settings configured for this server. They should configure some settings for this server.",
}
: {
data: {
settings: [],
},
values: {
settings: 'Configuration has not been completed yet.',
},
text: 'Configuration has not been completed yet.',
};
}
// Generate the status message based on the settings
const output = generateStatusMessage(runtime, worldSettings, isOnboarding, state);
return {
data: {
settings: worldSettings,
},
values: {
settings: output,
},
text: output,
};
} catch (error) {
logger.error(`Critical error in settings provider: ${error}`);
return {
data: {
settings: [],
},
values: {
settings: 'Error retrieving configuration information. Please try again later.',
},
text: 'Error retrieving configuration information. Please try again later.',
};
}
},
};