-
Notifications
You must be signed in to change notification settings - Fork 5k
/
Copy pathsettings.ts
977 lines (867 loc) · 29.3 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
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
import type { ZodSchema, z } from 'zod';
import { createUniqueUuid } from '../entities';
import { logger } from '../logger';
import { composePrompt, composePromptFromState, parseJSONObjectFromText } from '../prompts';
import { findWorldForOwner } from '../roles';
import {
type Action,
type ActionExample,
ChannelType,
type Content,
type HandlerCallback,
type IAgentRuntime,
type Memory,
type ModelTypeName,
ModelType,
type Setting,
type State,
type WorldSettings,
} from '../types';
import dedent from 'dedent';
/**
* Interface representing the structure of a setting update object.
* @interface
* @property {string} key - The key of the setting to be updated.
* @property {string|boolean} value - The new value for the setting, can be a string or a boolean.
*/
/**
* Interface for updating settings.
* @typedef {Object} SettingUpdate
* @property {string} key - The key of the setting to update.
* @property {string | boolean} value - The new value of the setting, can be a string or a boolean.
*/
interface SettingUpdate {
key: string;
value: string | boolean;
}
const messageCompletionFooter = `\n# Instructions: Write the next message for {{agentName}}. Include the appropriate action from the list: {{actionNames}}
Response format should be formatted in a valid JSON block like this:
\`\`\`json
{ "name": "{{agentName}}", "text": "<string>", "thought": "<string>", "actions": ["<string>", "<string>", "<string>"] }
\`\`\`
Do not including any thinking or internal reflection in the "text" field.
"thought" should be a short description of what the agent is thinking about before responding, including a brief justification for the response.`;
// Template for success responses when settings are updated
/**
* JSDoc comment for successTemplate constant
*
* # Task: Generate a response for successful setting updates
* {{providers}}
*
* # Update Information:
* - Updated Settings: {{updateMessages}}
* - Next Required Setting: {{nextSetting.name}}
* - Remaining Required Settings: {{remainingRequired}}
*
* # Instructions:
* 1. Acknowledge the successful update of settings
* 2. Maintain {{agentName}}'s personality and tone
* 3. Provide clear guidance on the next setting that needs to be configured
* 4. Explain what the next setting is for and how to set it
* 5. If appropriate, mention how many required settings remain
*
* Write a natural, conversational response that {{agentName}} would send about the successful update and next steps.
* Include the actions array ["SETTING_UPDATED"] in your response.
* ${messageCompletionFooter}
*/
const successTemplate = `# Task: Generate a response for successful setting updates
{{providers}}
# Update Information:
- Updated Settings: {{updateMessages}}
- Next Required Setting: {{nextSetting.name}}
- Remaining Required Settings: {{remainingRequired}}
# Instructions:
1. Acknowledge the successful update of settings
2. Maintain {{agentName}}'s personality and tone
3. Provide clear guidance on the next setting that needs to be configured
4. Explain what the next setting is for and how to set it
5. If appropriate, mention how many required settings remain
Write a natural, conversational response that {{agentName}} would send about the successful update and next steps.
Include the actions array ["SETTING_UPDATED"] in your response.
${messageCompletionFooter}`;
// Template for failure responses when settings couldn't be updated
/**
* Template for generating a response for failed setting updates.
*
* @template T
* @param {string} failureTemplate - The failure template string to fill in with dynamic content.
* @returns {string} - The filled-in template for generating the response.
*/
const failureTemplate = `# Task: Generate a response for failed setting updates
# About {{agentName}}:
{{bio}}
# Current Settings Status:
{{settingsStatus}}
# Next Required Setting:
- Name: {{nextSetting.name}}
- Description: {{nextSetting.description}}
- Required: Yes
- Remaining Required Settings: {{remainingRequired}}
# Recent Conversation:
{{recentMessages}}
# Instructions:
1. Express that you couldn't understand or process the setting update
2. Maintain {{agentName}}'s personality and tone
3. Provide clear guidance on what setting needs to be configured next
4. Explain what the setting is for and how to set it properly
5. Use a helpful, patient tone
Write a natural, conversational response that {{agentName}} would send about the failed update and how to proceed.
Include the actions array ["SETTING_UPDATE_FAILED"] in your response.
${messageCompletionFooter}`;
// Template for error responses when unexpected errors occur
/**
* Template for generating a response for an error during setting updates.
*
* The template includes placeholders for agent name, bio, recent messages,
* and provides instructions for crafting a response.
*
* Instructions:
* 1. Apologize for the technical difficulty
* 2. Maintain agent's personality and tone
* 3. Suggest trying again or contacting support if the issue persists
* 4. Keep the message concise and helpful
*
* Actions array to include: ["SETTING_UPDATE_ERROR"]
*/
const errorTemplate = `# Task: Generate a response for an error during setting updates
# About {{agentName}}:
{{bio}}
# Recent Conversation:
{{recentMessages}}
# Instructions:
1. Apologize for the technical difficulty
2. Maintain {{agentName}}'s personality and tone
3. Suggest trying again or contacting support if the issue persists
4. Keep the message concise and helpful
Write a natural, conversational response that {{agentName}} would send about the error.
Include the actions array ["SETTING_UPDATE_ERROR"] in your response.
${messageCompletionFooter}`;
// Template for completion responses when all required settings are configured
/**
* Task: Generate a response for settings completion
*
* About {{agentName}}:
* {{bio}}
*
* Settings Status:
* {{settingsStatus}}
*
* Recent Conversation:
* {{recentMessages}}
*
* Instructions:
* 1. Congratulate the user on completing the settings process
* 2. Maintain {{agentName}}'s personality and tone
* 3. Summarize the key settings that have been configured
* 4. Explain what functionality is now available
* 5. Provide guidance on what the user can do next
* 6. Express enthusiasm about working together
*
* Write a natural, conversational response that {{agentName}} would send about the successful completion of settings.
* Include the actions array ["ONBOARDING_COMPLETE"] in your response.
*/
const completionTemplate = `# Task: Generate a response for settings completion
# About {{agentName}}:
{{bio}}
# Settings Status:
{{settingsStatus}}
# Recent Conversation:
{{recentMessages}}
# Instructions:
1. Congratulate the user on completing the settings process
2. Maintain {{agentName}}'s personality and tone
3. Summarize the key settings that have been configured
4. Explain what functionality is now available
5. Provide guidance on what the user can do next
6. Express enthusiasm about working together
Write a natural, conversational response that {{agentName}} would send about the successful completion of settings.
Include the actions array ["ONBOARDING_COMPLETE"] in your response.
${messageCompletionFooter}`;
/**
* Generates an extraction template with formatting details.
*
* @param {WorldSettings} worldSettings - The settings to generate a template for.
* @returns {string} The formatted extraction template.
*/
const extractionTemplate = `# Task: Extract Setting Changes from User Input
I need to extract settings that the user wants to change based on their message.
Available Settings:
{{settingsContext}}
User message: {{content}}
For each setting mentioned in the user's input, extract the key and its new value.
Format your response as a JSON array of objects, each with 'key' and 'value' properties.
Example response:
\`\`\`json
[
{ "key": "SETTING_NAME", "value": "extracted value" },
{ "key": "ANOTHER_SETTING", "value": "another value" }
]
\`\`\`
IMPORTANT: Only include settings from the Available Settings list above. Ignore any other potential settings.`;
/**
* Gets settings state from world metadata
*/
/**
* Retrieves the settings for a specific world from the database.
* @param {IAgentRuntime} runtime - The Agent Runtime instance.
* @param {string} serverId - The ID of the server.
* @returns {Promise<WorldSettings | null>} The settings of the world, or null if not found.
*/
export async function getWorldSettings(
runtime: IAgentRuntime,
serverId: string
): Promise<WorldSettings | null> {
try {
const worldId = createUniqueUuid(runtime, serverId);
const world = await runtime.getWorld(worldId);
if (!world || !world.metadata?.settings) {
return null;
}
return world.metadata.settings as WorldSettings;
} catch (error) {
logger.error(`Error getting settings state: ${error}`);
return null;
}
}
/**
* Updates settings state in world metadata
*/
export async function updateWorldSettings(
runtime: IAgentRuntime,
serverId: string,
worldSettings: WorldSettings
): Promise<boolean> {
try {
const worldId = createUniqueUuid(runtime, serverId);
const world = await runtime.getWorld(worldId);
if (!world) {
logger.error(`No world found for server ${serverId}`);
return false;
}
// Initialize metadata if it doesn't exist
if (!world.metadata) {
world.metadata = {};
}
// Update settings state
world.metadata.settings = worldSettings;
// Save updated world
await runtime.updateWorld(world);
return true;
} catch (error) {
logger.error(`Error updating settings state: ${error}`);
return false;
}
}
/**
* Formats a list of settings for display
*/
function formatSettingsList(worldSettings: WorldSettings): string {
const settings = Object.entries(worldSettings)
.filter(([key]) => !key.startsWith('_')) // Skip internal settings
.map(([key, setting]) => {
const status = setting.value !== null ? 'Configured' : 'Not configured';
const required = setting.required ? 'Required' : 'Optional';
return `- ${setting.name} (${key}): ${status}, ${required}`;
})
.join('\n');
return settings || 'No settings available';
}
/**
* Categorizes settings by their configuration status
*/
function categorizeSettings(worldSettings: WorldSettings): {
configured: [string, Setting][];
requiredUnconfigured: [string, Setting][];
optionalUnconfigured: [string, Setting][];
} {
const configured: [string, Setting][] = [];
const requiredUnconfigured: [string, Setting][] = [];
const optionalUnconfigured: [string, Setting][] = [];
for (const [key, setting] of Object.entries(worldSettings) as [string, Setting][]) {
// Skip internal settings
if (key.startsWith('_')) continue;
if (setting.value !== null) {
configured.push([key, setting]);
} else if (setting.required) {
requiredUnconfigured.push([key, setting]);
} else {
optionalUnconfigured.push([key, setting]);
}
}
return { configured, requiredUnconfigured, optionalUnconfigured };
}
/**
* Extracts setting values from user message with improved handling of multiple settings
*/
async function extractSettingValues(
runtime: IAgentRuntime,
_message: Memory,
state: State,
worldSettings: WorldSettings
): Promise<SettingUpdate[]> {
// Find what settings need to be configured
const { requiredUnconfigured, optionalUnconfigured } = categorizeSettings(worldSettings);
// Generate a prompt to extract settings from the user's message
const settingsContext = requiredUnconfigured
.concat(optionalUnconfigured)
.map(([key, setting]) => {
const requiredStr = setting.required ? 'Required.' : 'Optional.';
return `${key}: ${setting.description} ${requiredStr}`;
})
.join('\n');
const basePrompt = dedent`
I need to extract settings values from the user's message.
Available settings:
${settingsContext}
User message: ${state.text}
For each setting mentioned in the user's message, extract the value.
Only return settings that are clearly mentioned in the user's message.
If a setting is mentioned but no clear value is provided, do not include it.
`;
try {
// Use runtime.useModel directly with strong typing
const result = await runtime.useModel<typeof ModelType.OBJECT_LARGE, SettingUpdate[]>(
ModelType.OBJECT_LARGE,
{
prompt: basePrompt,
output: 'array',
schema: {
type: 'array',
items: {
type: 'object',
properties: {
key: { type: 'string' },
value: { type: 'string' },
},
required: ['key', 'value'],
},
},
}
);
// Validate the extracted settings
if (!result) {
return [];
}
function extractValidSettings(obj: unknown, worldSettings: WorldSettings) {
const extracted = [];
function traverse(node: unknown): void {
if (Array.isArray(node)) {
for (const item of node) {
traverse(item);
}
} else if (typeof node === 'object' && node !== null) {
for (const [key, value] of Object.entries(node)) {
if (worldSettings[key] && typeof value !== 'object') {
extracted.push({ key, value });
} else {
traverse(value);
}
}
}
}
traverse(obj);
return extracted;
}
const extractedSettings = extractValidSettings(result, worldSettings);
return extractedSettings;
} catch (error) {
console.error('Error extracting settings:', error);
return [];
}
}
/**
* Processes multiple setting updates atomically
*/
async function processSettingUpdates(
runtime: IAgentRuntime,
serverId: string,
worldSettings: WorldSettings,
updates: SettingUpdate[]
): Promise<{ updatedAny: boolean; messages: string[] }> {
if (!updates.length) {
return { updatedAny: false, messages: [] };
}
const messages: string[] = [];
let updatedAny = false;
try {
// Create a copy of the state for atomic updates
const updatedState = { ...worldSettings };
// Process all updates
for (const update of updates) {
const setting = updatedState[update.key];
if (!setting) continue;
// Check dependencies if they exist
if (setting.dependsOn?.length) {
const dependenciesMet = setting.dependsOn.every((dep) => updatedState[dep]?.value !== null);
if (!dependenciesMet) {
messages.push(`Cannot update ${setting.name} - dependencies not met`);
continue;
}
}
// Update the setting
updatedState[update.key] = {
...setting,
value: update.value,
};
messages.push(`Updated ${setting.name} successfully`);
updatedAny = true;
// Execute onSetAction if defined
if (setting.onSetAction) {
const actionMessage = setting.onSetAction(update.value);
if (actionMessage) {
messages.push(actionMessage);
}
}
}
// If any updates were made, save the entire state to world metadata
if (updatedAny) {
// Save to world metadata
const saved = await updateWorldSettings(runtime, serverId, updatedState);
if (!saved) {
throw new Error('Failed to save updated state to world metadata');
}
// Verify save by retrieving it again
const savedState = await getWorldSettings(runtime, serverId);
if (!savedState) {
throw new Error('Failed to verify state save');
}
}
return { updatedAny, messages };
} catch (error) {
logger.error('Error processing setting updates:', error);
return {
updatedAny: false,
messages: ['Error occurred while updating settings'],
};
}
}
/**
* Handles the completion of settings when all required settings are configured
*/
async function handleOnboardingComplete(
runtime: IAgentRuntime,
worldSettings: WorldSettings,
state: State,
callback: HandlerCallback
): Promise<void> {
try {
// Generate completion message
const prompt = composePrompt({
state: {
settingsStatus: formatSettingsList(worldSettings),
},
template: completionTemplate,
});
const response = await runtime.useModel(ModelType.TEXT_LARGE, {
prompt,
});
const responseContent = parseJSONObjectFromText(response) as Content;
await callback({
text: responseContent.text,
actions: ['ONBOARDING_COMPLETE'],
source: 'discord',
});
} catch (error) {
logger.error(`Error handling settings completion: ${error}`);
await callback({
text: 'Great! All required settings have been configured. Your server is now fully set up and ready to use.',
actions: ['ONBOARDING_COMPLETE'],
source: 'discord',
});
}
}
/**
* Generates a success response for setting updates
*/
async function generateSuccessResponse(
runtime: IAgentRuntime,
worldSettings: WorldSettings,
state: State,
messages: string[],
callback: HandlerCallback
): Promise<void> {
try {
// Check if all required settings are now configured
const { requiredUnconfigured } = categorizeSettings(worldSettings);
if (requiredUnconfigured.length === 0) {
// All required settings are configured, complete settings
await handleOnboardingComplete(runtime, worldSettings, state, callback);
return;
}
const requiredUnconfiguredString = requiredUnconfigured
.map(([key, setting]) => `${key}: ${setting.name}`)
.join('\n');
// Generate success message
const prompt = composePrompt({
state: {
updateMessages: messages.join('\n'),
nextSetting: requiredUnconfiguredString,
remainingRequired: requiredUnconfigured.length.toString(),
},
template: successTemplate,
});
const response = await runtime.useModel(ModelType.TEXT_LARGE, {
prompt,
});
const responseContent = parseJSONObjectFromText(response) as Content;
await callback({
text: responseContent.text,
actions: ['SETTING_UPDATED'],
source: 'discord',
});
} catch (error) {
logger.error(`Error generating success response: ${error}`);
await callback({
text: 'Settings updated successfully. Please continue with the remaining configuration.',
actions: ['SETTING_UPDATED'],
source: 'discord',
});
}
}
/**
* Generates a failure response when no settings could be updated
*/
async function generateFailureResponse(
runtime: IAgentRuntime,
worldSettings: WorldSettings,
state: State,
callback: HandlerCallback
): Promise<void> {
try {
// Get next required setting
const { requiredUnconfigured } = categorizeSettings(worldSettings);
if (requiredUnconfigured.length === 0) {
// All required settings are configured, complete settings
await handleOnboardingComplete(runtime, worldSettings, state, callback);
return;
}
const requiredUnconfiguredString = requiredUnconfigured
.map(([key, setting]) => `${key}: ${setting.name}`)
.join('\n');
// Generate failure message
const prompt = composePrompt({
state: {
nextSetting: requiredUnconfiguredString,
remainingRequired: requiredUnconfigured.length.toString(),
},
template: failureTemplate,
});
const response = await runtime.useModel(ModelType.TEXT_LARGE, {
prompt,
});
const responseContent = parseJSONObjectFromText(response) as Content;
await callback({
text: responseContent.text,
actions: ['SETTING_UPDATE_FAILED'],
source: 'discord',
});
} catch (error) {
logger.error(`Error generating failure response: ${error}`);
await callback({
text: "I couldn't understand your settings update. Please try again with a clearer format.",
actions: ['SETTING_UPDATE_FAILED'],
source: 'discord',
});
}
}
/**
* Generates an error response for unexpected errors
*/
async function generateErrorResponse(
runtime: IAgentRuntime,
state: State,
callback: HandlerCallback
): Promise<void> {
try {
const prompt = composePromptFromState({
state,
template: errorTemplate,
});
const response = await runtime.useModel(ModelType.TEXT_LARGE, {
prompt,
});
const responseContent = parseJSONObjectFromText(response) as Content;
await callback({
text: responseContent.text,
actions: ['SETTING_UPDATE_ERROR'],
source: 'discord',
});
} catch (error) {
logger.error(`Error generating error response: ${error}`);
await callback({
text: "I'm sorry, but I encountered an error while processing your request. Please try again or contact support if the issue persists.",
actions: ['SETTING_UPDATE_ERROR'],
source: 'discord',
});
}
}
/**
* Enhanced settings action with improved state management and logging
* Updated to use world metadata instead of cache
*/
const updateSettingsAction: Action = {
name: 'UPDATE_SETTINGS',
similes: ['UPDATE_SETTING', 'SAVE_SETTING', 'SET_CONFIGURATION', 'CONFIGURE'],
description:
'Saves a configuration setting during the onboarding process, or update an existing setting. Use this when you are onboarding with a world owner or admin.',
validate: async (runtime: IAgentRuntime, message: Memory, _state: State): Promise<boolean> => {
try {
if (message.content.channelType !== ChannelType.DM) {
logger.debug(`Skipping settings in non-DM channel (type: ${message.content.channelType})`);
return false;
}
// Find the server where this user is the owner
logger.debug(`Looking for server where user ${message.entityId} is owner`);
const world = await findWorldForOwner(runtime, message.entityId);
if (!world) {
return false;
}
// Check if there's an active settings state in world metadata
const worldSettings = world.metadata.settings;
if (!worldSettings) {
logger.error(`No settings state found for server ${world.serverId}`);
return false;
}
logger.debug(`Found valid settings state for server ${world.serverId}`);
return true;
} catch (error) {
logger.error(`Error validating settings action: ${error}`);
return false;
}
},
handler: async (
runtime: IAgentRuntime,
message: Memory,
state: State,
_options: any,
callback: HandlerCallback
): Promise<void> => {
try {
// Find the server where this user is the owner
logger.info(`Handler looking for server for user ${message.entityId}`);
const serverOwnership = await findWorldForOwner(runtime, message.entityId);
if (!serverOwnership) {
logger.error(`No server found for user ${message.entityId} in handler`);
await generateErrorResponse(runtime, state, callback);
return;
}
const serverId = serverOwnership.serverId;
logger.info(`Using server ID: ${serverId}`);
// Get settings state from world metadata
const worldSettings = await getWorldSettings(runtime, serverId);
if (!worldSettings) {
logger.error(`No settings state found for server ${serverId} in handler`);
await generateErrorResponse(runtime, state, callback);
return;
}
// Extract setting values from message
logger.info(`Extracting settings from message: ${message.content.text}`);
const extractedSettings = await extractSettingValues(runtime, message, state, worldSettings);
logger.info(`Extracted ${extractedSettings.length} settings`);
// Process extracted settings
const updateResults = await processSettingUpdates(
runtime,
serverId,
worldSettings,
extractedSettings
);
// Generate appropriate response
if (updateResults.updatedAny) {
logger.info(`Successfully updated settings: ${updateResults.messages.join(', ')}`);
// Get updated settings state
const updatedWorldSettings = await getWorldSettings(runtime, serverId);
if (!updatedWorldSettings) {
logger.error('Failed to retrieve updated settings state');
await generateErrorResponse(runtime, state, callback);
return;
}
await generateSuccessResponse(
runtime,
updatedWorldSettings,
state,
updateResults.messages,
callback
);
} else {
logger.info('No settings were updated');
await generateFailureResponse(runtime, worldSettings, state, callback);
}
} catch (error) {
logger.error(`Error in settings handler: ${error}`);
await generateErrorResponse(runtime, state, callback);
}
},
examples: [
[
{
name: '{{name1}}',
content: {
text: 'I want to set up the welcome channel to #general',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "Perfect! I've updated your welcome channel to #general. Next, we should configure the automated greeting message that new members will receive.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: "Let's set the bot prefix to !",
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "Great choice! I've set the command prefix to '!'. Now you can use commands like !help, !info, etc.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: 'Enable auto-moderation for bad language',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "Auto-moderation for inappropriate language has been enabled. I'll now filter messages containing offensive content.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: 'For server logs, use the #server-logs channel',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "I've configured #server-logs as your logging channel. All server events like joins, leaves, and moderation actions will be recorded there.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: "I'd like to have role self-assignment in the #roles channel",
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: 'Role self-assignment has been set up in the #roles channel. Members can now assign themselves roles by interacting with messages there.',
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: 'Make music commands available in voice-text channels only',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "I've updated your music command settings - they'll now only work in voice-text channels. This helps keep other channels clear of music spam.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: 'For server timezone, set it to EST',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: 'Server timezone has been set to Eastern Standard Time (EST). All scheduled events and timestamps will now display in this timezone.',
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: 'Set verification level to email verified users only',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "I've updated the verification requirement to email verified accounts only. This adds an extra layer of security to your server.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: 'I want to turn off level-up notifications',
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "Level-up notifications have been disabled. Members will still earn experience and level up, but there won't be any automatic announcements. You can still view levels with the appropriate commands.",
actions: ['SETTING_UPDATED'],
source: 'discord',
},
},
],
[
{
name: '{{name1}}',
content: {
text: "My server name is 'Gaming Lounge'",
source: 'discord',
},
},
{
name: '{{name2}}',
content: {
text: "Great! I've saved 'Gaming Lounge' as your server name. This helps me personalize responses and know how to refer to your community. We've completed all the required settings! Your server is now fully configured and ready to use. You can always adjust these settings later if needed.",
actions: ['ONBOARDING_COMPLETE'],
source: 'discord',
},
},
],
] as ActionExample[][],
};
export default updateSettingsAction;