Skip to content

Commit eeba61e

Browse files
committed
Merge remote-tracking branch 'origin/main' into cs-7855-verify-or-improve-rendering-code-blocks-emitted-by-ai-model
2 parents 457f1f9 + 2774829 commit eeba61e

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

47 files changed

+1508
-405
lines changed

README.md

+2-2
Original file line numberDiff line numberDiff line change
@@ -309,10 +309,10 @@ The matrix client relies upon the host app and the realm servers. Start the host
309309
pnpm start
310310
```
311311

312-
Then start the realm server (minus the matrix server). From the `packages/realm-server` folder:
312+
Then start the realm server for matrix tests (does not start the matrix server). From the `packages/realm-server` folder:
313313

314314
```
315-
pnpm start:without-matrix
315+
MATRIX_REGISTRATION_SHARED_SECRET='xxxx' pnpm start:services-for-matrix-tests
316316
```
317317

318318
Then to run the tests from the CLI execute the following from `packages/matrix`:

packages/ai-bot/helpers.ts

+123-13
Original file line numberDiff line numberDiff line change
@@ -76,10 +76,10 @@ export class HistoryConstructionError extends Error {
7676
}
7777
}
7878

79-
export function getPromptParts(
79+
export async function getPromptParts(
8080
eventList: DiscreteMatrixEvent[],
8181
aiBotUserId: string,
82-
): PromptParts {
82+
): Promise<PromptParts> {
8383
let cardFragments: Map<string, CardFragmentContent> =
8484
extractCardFragmentsFromEvents(eventList);
8585
let history: DiscreteMatrixEvent[] = constructHistory(
@@ -89,7 +89,7 @@ export function getPromptParts(
8989
let skills = getEnabledSkills(eventList, cardFragments);
9090
let tools = getTools(history, aiBotUserId);
9191
let toolChoice = getToolChoice(history, aiBotUserId);
92-
let messages = getModifyPrompt(history, aiBotUserId, tools, skills);
92+
let messages = await getModifyPrompt(history, aiBotUserId, tools, skills);
9393
let model = getModel(eventList);
9494
return {
9595
tools,
@@ -321,6 +321,113 @@ export function getRelevantCards(
321321
};
322322
}
323323

324+
export async function loadCurrentlyAttachedFiles(
325+
history: DiscreteMatrixEvent[],
326+
aiBotUserId: string,
327+
): Promise<
328+
{
329+
url: string;
330+
name: string;
331+
contentType?: string;
332+
content: string | undefined;
333+
error: string | undefined;
334+
}[]
335+
> {
336+
let lastMessageEventByUser = history.findLast(
337+
(event) => event.sender !== aiBotUserId,
338+
);
339+
340+
let mostRecentUserMessageContent = lastMessageEventByUser?.content as {
341+
msgtype?: string;
342+
data?: {
343+
attachedFiles?: { url: string; name: string; contentType?: string }[];
344+
};
345+
};
346+
347+
if (
348+
!mostRecentUserMessageContent ||
349+
mostRecentUserMessageContent.msgtype !== APP_BOXEL_MESSAGE_MSGTYPE
350+
) {
351+
return [];
352+
}
353+
354+
// We are only interested in downloading the most recently attached files -
355+
// downloading older ones is not needed since the prompt that is being constructed
356+
// should operate on fresh data
357+
if (!mostRecentUserMessageContent.data?.attachedFiles?.length) {
358+
return [];
359+
}
360+
361+
let attachedFiles = mostRecentUserMessageContent.data.attachedFiles;
362+
363+
return Promise.all(
364+
attachedFiles.map(
365+
async (attachedFile: {
366+
url: string;
367+
name: string;
368+
contentType?: string;
369+
}) => {
370+
try {
371+
let content: string | undefined;
372+
let error: string | undefined;
373+
if (attachedFile.contentType?.startsWith('text/')) {
374+
let response = await (globalThis as any).fetch(attachedFile.url);
375+
if (!response.ok) {
376+
throw new Error(`HTTP error. Status: ${response.status}`);
377+
}
378+
content = await response.text();
379+
} else {
380+
error = `Unsupported file type: ${attachedFile.contentType}. For now, only text files are supported.`;
381+
}
382+
383+
return {
384+
url: attachedFile.url,
385+
name: attachedFile.name,
386+
contentType: attachedFile.contentType,
387+
content,
388+
error,
389+
};
390+
} catch (error) {
391+
log.error(`Failed to fetch file ${attachedFile.url}:`, error);
392+
Sentry.captureException(error, {
393+
extra: { fileUrl: attachedFile.url, fileName: attachedFile.name },
394+
});
395+
return {
396+
url: attachedFile.url,
397+
name: attachedFile.name,
398+
contentType: attachedFile.contentType,
399+
content: undefined,
400+
error: `Error loading attached file: ${(error as Error).message}`,
401+
};
402+
}
403+
},
404+
),
405+
);
406+
}
407+
408+
export function attachedFilesToPrompt(
409+
attachedFiles: {
410+
url: string;
411+
name: string;
412+
contentType?: string;
413+
content: string | undefined;
414+
error: string | undefined;
415+
}[],
416+
): string {
417+
if (!attachedFiles.length) {
418+
return 'No attached files';
419+
}
420+
return attachedFiles
421+
.map((f) => {
422+
if (f.error) {
423+
return `${f.name}: ${f.error}`;
424+
}
425+
426+
return `${f.name}: ${f.content}`;
427+
})
428+
.join('\n');
429+
}
430+
324431
export function getTools(
325432
history: DiscreteMatrixEvent[],
326433
aiBotUserId: string,
@@ -431,7 +538,7 @@ function toPromptMessageWithToolResult(
431538
};
432539
}
433540

434-
export function getModifyPrompt(
541+
export async function getModifyPrompt(
435542
history: DiscreteMatrixEvent[],
436543
aiBotUserId: string,
437544
tools: Tool[] = [],
@@ -501,15 +608,18 @@ export function getModifyPrompt(
501608
history,
502609
aiBotUserId,
503610
);
504-
let systemMessage =
505-
MODIFY_SYSTEM_MESSAGE +
506-
`
507-
The user currently has given you the following data to work with:
508-
Cards:\n`;
509-
systemMessage += attachedCardsToMessage(
510-
mostRecentlyAttachedCard,
511-
attachedCards,
512-
);
611+
612+
let attachedFiles = await loadCurrentlyAttachedFiles(history, aiBotUserId);
613+
614+
let systemMessage = `${MODIFY_SYSTEM_MESSAGE}
615+
The user currently has given you the following data to work with:
616+
617+
Cards: ${attachedCardsToMessage(mostRecentlyAttachedCard, attachedCards)}
618+
619+
Attached files:
620+
${attachedFilesToPrompt(attachedFiles)}
621+
`;
622+
513623
if (skillCards.length) {
514624
systemMessage += SKILL_INSTRUCTIONS_MESSAGE;
515625
systemMessage += skillCardsToMessage(skillCards);

packages/ai-bot/main.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -214,7 +214,7 @@ Common issues are:
214214
let eventList = (initial!.messages?.chunk ||
215215
[]) as DiscreteMatrixEvent[];
216216
try {
217-
promptParts = getPromptParts(eventList, aiBotUserId);
217+
promptParts = await getPromptParts(eventList, aiBotUserId);
218218
} catch (e) {
219219
log.error(e);
220220
responder.finalize(

0 commit comments

Comments
 (0)