Compare commits

..

No commits in common. "580656377769d01f605a9052f81c35e1de4e6080" and "33d9c1d28ae38a33b67b64e969004fa2169dcab0" have entirely different histories.

14 changed files with 969 additions and 1392 deletions

View File

@ -257,7 +257,7 @@ FROM llm-base AS backstory
COPY /src/requirements.txt /opt/backstory/src/requirements.txt COPY /src/requirements.txt /opt/backstory/src/requirements.txt
RUN pip install -r /opt/backstory/src/requirements.txt RUN pip install -r /opt/backstory/src/requirements.txt
RUN pip install 'markitdown[all]' pydantic RUN pip install 'markitdown[all]'
SHELL [ "/bin/bash", "-c" ] SHELL [ "/bin/bash", "-c" ]

View File

@ -281,7 +281,6 @@ const App = () => {
throw Error("Server is temporarily down."); throw Error("Server is temporarily down.");
} }
const data = await response.json(); const data = await response.json();
console.log(`Session created: ${data.id}`);
setSessionId(data.id); setSessionId(data.id);
const newPath = `/${data.id}`; const newPath = `/${data.id}`;

View File

@ -16,20 +16,17 @@ import ExpandMoreIcon from '@mui/icons-material/ExpandMore';
import { SetSnackType } from './Snack'; import { SetSnackType } from './Snack';
interface ServerTunables {
system_prompt: string,
message_history_length: number,
tools: Tool[],
rags: Tool[]
};
type Tool = { type Tool = {
type: string, type: string,
function?: {
name: string,
description: string,
parameters?: any,
returns?: any
},
name?: string,
description?: string,
enabled: boolean enabled: boolean
name: string,
description: string,
parameters?: any,
returns?: any
}; };
interface ControlsParams { interface ControlsParams {
@ -44,6 +41,7 @@ type GPUInfo = {
discrete: boolean discrete: boolean
} }
type SystemInfo = { type SystemInfo = {
"Installed RAM": string, "Installed RAM": string,
"Graphics Card": GPUInfo[], "Graphics Card": GPUInfo[],
@ -96,110 +94,115 @@ const Controls = ({ sessionId, setSnack, connectionBase }: ControlsParams) => {
const [tools, setTools] = useState<Tool[]>([]); const [tools, setTools] = useState<Tool[]>([]);
const [rags, setRags] = useState<Tool[]>([]); const [rags, setRags] = useState<Tool[]>([]);
const [systemPrompt, setSystemPrompt] = useState<string>(""); const [systemPrompt, setSystemPrompt] = useState<string>("");
const [serverSystemPrompt, setServerSystemPrompt] = useState<string>("");
const [messageHistoryLength, setMessageHistoryLength] = useState<number>(5); const [messageHistoryLength, setMessageHistoryLength] = useState<number>(5);
const [serverTunables, setServerTunables] = useState<ServerTunables | undefined>(undefined);
useEffect(() => { useEffect(() => {
if (serverTunables === undefined || systemPrompt === serverTunables.system_prompt || !systemPrompt.trim() || sessionId === undefined) { if (systemPrompt === serverSystemPrompt || !systemPrompt.trim() || sessionId === undefined) {
return; return;
}
const sendSystemPrompt = async (prompt: string) => {
try {
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, {
method: 'PUT',
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
body: JSON.stringify({ "system_prompt": prompt }),
});
const tunables = await response.json();
serverTunables.system_prompt = tunables.system_prompt;
setSystemPrompt(tunables.system_prompt)
setSnack("System prompt updated", "success");
} catch (error) {
console.error('Fetch error:', error);
setSnack("System prompt update failed", "error");
} }
}; const sendSystemPrompt = async (prompt: string) => {
try {
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, {
method: 'PUT',
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
body: JSON.stringify({ "system_prompt": prompt }),
});
sendSystemPrompt(systemPrompt); const data = await response.json();
const newPrompt = data["system_prompt"];
}, [systemPrompt, connectionBase, sessionId, setSnack, serverTunables]); if (newPrompt !== serverSystemPrompt) {
setServerSystemPrompt(newPrompt);
useEffect(() => { setSystemPrompt(newPrompt)
if (serverTunables === undefined || messageHistoryLength === serverTunables.message_history_length || !messageHistoryLength || sessionId === undefined) { setSnack("System prompt updated", "success");
return; }
} } catch (error) {
const sendMessageHistoryLength = async (length: number) => { console.error('Fetch error:', error);
try { setSnack("System prompt update failed", "error");
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, {
method: 'PUT',
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
body: JSON.stringify({ "message_history_length": length }),
});
const data = await response.json();
const newLength = data["message_history_length"];
if (newLength !== messageHistoryLength) {
setMessageHistoryLength(newLength);
setSnack("Message history length updated", "success");
} }
} catch (error) { };
console.error('Fetch error:', error);
setSnack("Message history length update failed", "error"); sendSystemPrompt(systemPrompt);
}, [systemPrompt, setServerSystemPrompt, serverSystemPrompt, connectionBase, sessionId, setSnack]);
useEffect(() => {
if (sessionId === undefined) {
return;
} }
}; const sendMessageHistoryLength = async (length: number) => {
try {
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, {
method: 'PUT',
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
body: JSON.stringify({ "message_history_length": length }),
});
sendMessageHistoryLength(messageHistoryLength); const data = await response.json();
const newLength = data["message_history_length"];
if (newLength !== messageHistoryLength) {
setMessageHistoryLength(newLength);
setSnack("Message history length updated", "success");
}
} catch (error) {
console.error('Fetch error:', error);
setSnack("Message history length update failed", "error");
}
};
}, [messageHistoryLength, setMessageHistoryLength, connectionBase, sessionId, setSnack, serverTunables]); sendMessageHistoryLength(messageHistoryLength);
}, [messageHistoryLength, setMessageHistoryLength, connectionBase, sessionId, setSnack]);
const reset = async (types: ("rags" | "tools" | "history" | "system_prompt" | "message_history_length")[], message: string = "Update successful.") => { const reset = async (types: ("rags" | "tools" | "history" | "system_prompt" | "message_history_length")[], message: string = "Update successful.") => {
try { try {
const response = await fetch(connectionBase + `/api/reset/${sessionId}`, { const response = await fetch(connectionBase + `/api/reset/${sessionId}`, {
method: 'PUT', method: 'PUT',
headers: { headers: {
'Content-Type': 'application/json', 'Content-Type': 'application/json',
'Accept': 'application/json', 'Accept': 'application/json',
}, },
body: JSON.stringify({ "reset": types }), body: JSON.stringify({ "reset": types }),
}); });
if (response.ok) { if (response.ok) {
const data = await response.json(); const data = await response.json();
if (data.error) { if (data.error) {
throw Error() throw Error()
}
for (const [key, value] of Object.entries(data)) {
switch (key) {
case "rags":
setRags(value as Tool[]);
break;
case "tools":
setTools(value as Tool[]);
break;
case "system_prompt":
setSystemPrompt((value as ServerTunables)["system_prompt"].trim());
break;
case "history":
console.log('TODO: handle history reset');
break;
} }
for (const [key, value] of Object.entries(data)) {
switch (key) {
case "rags":
setRags(value as Tool[]);
break;
case "tools":
setTools(value as Tool[]);
break;
case "system_prompt":
setServerSystemPrompt((value as any)["system_prompt"].trim());
setSystemPrompt((value as any)["system_prompt"].trim());
break;
case "history":
console.log('TODO: handle history reset');
break;
}
}
setSnack(message, "success");
} else {
throw Error(`${{ status: response.status, message: response.statusText }}`);
} }
setSnack(message, "success"); } catch (error) {
} else { console.error('Fetch error:', error);
throw Error(`${{ status: response.status, message: response.statusText }}`); setSnack("Unable to restore defaults", "error");
} }
} catch (error) { };
console.error('Fetch error:', error);
setSnack("Unable to restore defaults", "error");
}
};
// Get the system information // Get the system information
useEffect(() => { useEffect(() => {
@ -226,20 +229,21 @@ const Controls = ({ sessionId, setSnack, connectionBase }: ControlsParams) => {
setEditSystemPrompt(systemPrompt); setEditSystemPrompt(systemPrompt);
}, [systemPrompt, setEditSystemPrompt]); }, [systemPrompt, setEditSystemPrompt]);
const toggleRag = async (tool: Tool) => { const toggleRag = async (tool: Tool) => {
tool.enabled = !tool.enabled tool.enabled = !tool.enabled
try { try {
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, { const response = await fetch(connectionBase + `/api/rags/${sessionId}`, {
method: 'PUT', method: 'PUT',
headers: { headers: {
'Content-Type': 'application/json', 'Content-Type': 'application/json',
'Accept': 'application/json', 'Accept': 'application/json',
}, },
body: JSON.stringify({ "rags": [{ "name": tool?.name, "enabled": tool.enabled }] }), body: JSON.stringify({ "tool": tool?.name, "enabled": tool.enabled }),
}); });
const tunables: ServerTunables = await response.json(); const rags = await response.json();
setRags(tunables.rags) setRags([...rags])
setSnack(`${tool?.name} ${tool.enabled ? "enabled" : "disabled"}`); setSnack(`${tool?.name} ${tool.enabled ? "enabled" : "disabled"}`);
} catch (error) { } catch (error) {
console.error('Fetch error:', error); console.error('Fetch error:', error);
@ -251,63 +255,117 @@ const Controls = ({ sessionId, setSnack, connectionBase }: ControlsParams) => {
const toggleTool = async (tool: Tool) => { const toggleTool = async (tool: Tool) => {
tool.enabled = !tool.enabled tool.enabled = !tool.enabled
try { try {
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, { const response = await fetch(connectionBase + `/api/tools/${sessionId}`, {
method: 'PUT', method: 'PUT',
headers: { headers: {
'Content-Type': 'application/json', 'Content-Type': 'application/json',
'Accept': 'application/json', 'Accept': 'application/json',
}, },
body: JSON.stringify({ "tools": [{ "name": tool.name, "enabled": tool.enabled }] }), body: JSON.stringify({ "tool": tool?.function?.name, "enabled": tool.enabled }),
}); });
const tunables: ServerTunables = await response.json(); const tools = await response.json();
setTools(tunables.tools) setTools([...tools])
setSnack(`${tool.name} ${tool.enabled ? "enabled" : "disabled"}`); setSnack(`${tool?.function?.name} ${tool.enabled ? "enabled" : "disabled"}`);
} catch (error) { } catch (error) {
console.error('Fetch error:', error); console.error('Fetch error:', error);
setSnack(`${tool.name} ${tool.enabled ? "enabling" : "disabling"} failed.`, "error"); setSnack(`${tool?.function?.name} ${tool.enabled ? "enabling" : "disabling"} failed.`, "error");
tool.enabled = !tool.enabled tool.enabled = !tool.enabled
} }
}; };
// If the systemPrompt has not been set, fetch it from the server // If the tools have not been set, fetch them from the server
useEffect(() => { useEffect(() => {
if (serverTunables !== undefined || sessionId === undefined) { if (tools.length || sessionId === undefined) {
return; return;
} }
const fetchTunables = async () => { const fetchTools = async () => {
// Make the fetch request with proper headers try {
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, { // Make the fetch request with proper headers
method: 'GET', const response = await fetch(connectionBase + `/api/tools/${sessionId}`, {
headers: { method: 'GET',
'Content-Type': 'application/json', headers: {
'Accept': 'application/json', 'Content-Type': 'application/json',
}, 'Accept': 'application/json',
}); },
const data = await response.json(); });
console.log("Server tunables: ", data); if (!response.ok) {
setServerTunables(data); throw Error();
setSystemPrompt(data["system_prompt"]); }
setMessageHistoryLength(data["message_history_length"]); const tools = await response.json();
setTools(data["tools"]); setTools(tools);
setRags(data["rags"]); } catch (error: any) {
setSnack("Unable to fetch tools", "error");
console.error(error);
}
} }
fetchTunables(); fetchTools();
}, [sessionId, connectionBase, setServerTunables, setSystemPrompt, setMessageHistoryLength, serverTunables, setTools, setRags]); }, [sessionId, tools, setTools, setSnack, connectionBase]);
// If the RAGs have not been set, fetch them from the server
useEffect(() => {
if (rags.length || sessionId === undefined) {
return;
}
const fetchRags = async () => {
try {
// Make the fetch request with proper headers
const response = await fetch(connectionBase + `/api/rags/${sessionId}`, {
method: 'GET',
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
});
if (!response.ok) {
throw Error();
}
const rags = await response.json();
setRags(rags);
} catch (error: any) {
setSnack("Unable to fetch RAGs", "error");
console.error(error);
}
}
fetchRags();
}, [sessionId, rags, setRags, setSnack, connectionBase]);
// If the systemPrompt has not been set, fetch it from the server
useEffect(() => {
if (serverSystemPrompt !== "" || sessionId === undefined) {
return;
}
const fetchTunables = async () => {
// Make the fetch request with proper headers
const response = await fetch(connectionBase + `/api/tunables/${sessionId}`, {
method: 'GET',
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
});
const data = await response.json();
const serverSystemPrompt = data["system_prompt"].trim();
setServerSystemPrompt(serverSystemPrompt);
setSystemPrompt(serverSystemPrompt);
setMessageHistoryLength(data["message_history_length"]);
}
fetchTunables();
}, [sessionId, serverSystemPrompt, setServerSystemPrompt, connectionBase]);
const toggle = async (type: string, index: number) => { const toggle = async (type: string, index: number) => {
switch (type) { switch (type) {
case "rag": case "rag":
if (rags === undefined) {
return;
}
toggleRag(rags[index]) toggleRag(rags[index])
break; break;
case "tool": case "tool":
if (tools === undefined) {
return;
}
toggleTool(tools[index]); toggleTool(tools[index]);
} }
}; };
@ -384,11 +442,11 @@ const Controls = ({ sessionId, setSnack, connectionBase }: ControlsParams) => {
<AccordionActions> <AccordionActions>
<FormGroup sx={{ p: 1 }}> <FormGroup sx={{ p: 1 }}>
{ {
(tools || []).map((tool, index) => tools.map((tool, index) =>
<Box key={index}> <Box key={index}>
<Divider /> <Divider />
<FormControlLabel control={<Switch checked={tool.enabled} />} onChange={() => toggle("tool", index)} label={tool.name} /> <FormControlLabel control={<Switch checked={tool.enabled} />} onChange={() => toggle("tool", index)} label={tool?.function?.name} />
<Typography sx={{ fontSize: "0.8rem", mb: 1 }}>{tool.description}</Typography> <Typography sx={{ fontSize: "0.8rem", mb: 1 }}>{tool?.function?.description}</Typography>
</Box> </Box>
) )
}</FormGroup> }</FormGroup>
@ -405,14 +463,14 @@ const Controls = ({ sessionId, setSnack, connectionBase }: ControlsParams) => {
<AccordionActions> <AccordionActions>
<FormGroup sx={{ p: 1, flexGrow: 1, justifyContent: "flex-start" }}> <FormGroup sx={{ p: 1, flexGrow: 1, justifyContent: "flex-start" }}>
{ {
(rags || []).map((rag, index) => rags.map((rag, index) =>
<Box key={index} sx={{ display: "flex", flexGrow: 1, flexDirection: "column" }}> <Box key={index} sx={{ display: "flex", flexGrow: 1, flexDirection: "column" }}>
<Divider /> <Divider />
<FormControlLabel <FormControlLabel
control={<Switch checked={rag.enabled} />} control={<Switch checked={rag.enabled} />}
onChange={() => toggle("rag", index)} label={rag.name} onChange={() => toggle("rag", index)} label={rag?.name}
/> />
<Typography>{rag.description}</Typography> <Typography>{rag?.description}</Typography>
</Box> </Box>
) )
}</FormGroup> }</FormGroup>

View File

@ -24,23 +24,6 @@ interface ConversationHandle {
submitQuery: (query: string) => void; submitQuery: (query: string) => void;
} }
interface BackstoryMessage {
prompt: string;
preamble: string;
content: string;
response: string;
metadata: {
rag: { documents: [] };
tools: string[];
eval_count: number;
eval_duration: number;
prompt_eval_count: number;
prompt_eval_duration: number;
};
actions: string[];
timestamp: string;
};
interface ConversationProps { interface ConversationProps {
className?: string, // Override default className className?: string, // Override default className
type: ConversationMode, // Type of Conversation chat type: ConversationMode, // Type of Conversation chat
@ -177,41 +160,14 @@ const Conversation = forwardRef<ConversationHandle, ConversationProps>(({
throw new Error(`Server responded with ${response.status}: ${response.statusText}`); throw new Error(`Server responded with ${response.status}: ${response.statusText}`);
} }
const { messages } = await response.json(); const data = await response.json();
if (messages === undefined || messages.length === 0) { console.log(`History returned for ${type} from server with ${data.length} entries`)
console.log(`History returned for ${type} from server with 0 entries`) if (data.length === 0) {
setConversation([]) setConversation([])
setNoInteractions(true); setNoInteractions(true);
} else { } else {
console.log(`History returned for ${type} from server with ${messages.length} entries:`, messages) setConversation(data);
const backstoryMessages: BackstoryMessage[] = messages;
// type MessageData = {
// role: MessageRoles,
// content: string,
// disableCopy?: boolean,
// user?: string,
// title?: string,
// origin?: string,
// display?: string, /* Messages generated on the server for filler should not be shown */
// id?: string,
// isProcessing?: boolean,
// metadata?: MessageMetaData
// };
setConversation(backstoryMessages.flatMap((message: BackstoryMessage) => [{
role: 'user',
content: message.prompt || "",
}, {
role: 'assistant',
prompt: message.prompt || "",
preamble: message.preamble || "",
full_content: message.content || "",
content: message.response || "",
metadata: message.metadata,
actions: message.actions,
}] as MessageList));
setNoInteractions(false); setNoInteractions(false);
} }
setProcessingMessage(undefined); setProcessingMessage(undefined);
@ -415,20 +371,10 @@ const Conversation = forwardRef<ConversationHandle, ConversationProps>(({
update.message = onResponse(update.message); update.message = onResponse(update.message);
} }
setProcessingMessage(undefined); setProcessingMessage(undefined);
const backstoryMessage: BackstoryMessage = update.message;
setConversation([ setConversation([
...conversationRef.current, { ...conversationRef.current,
role: 'user', update.message
content: backstoryMessage.prompt || "", ])
}, {
role: 'assistant',
prompt: backstoryMessage.prompt || "",
preamble: backstoryMessage.preamble || "",
full_content: backstoryMessage.content || "",
content: backstoryMessage.response || "",
metadata: backstoryMessage.metadata,
actions: backstoryMessage.actions,
}] as MessageList);
// Add a small delay to ensure React has time to update the UI // Add a small delay to ensure React has time to update the UI
await new Promise(resolve => setTimeout(resolve, 0)); await new Promise(resolve => setTimeout(resolve, 0));
@ -467,20 +413,10 @@ const Conversation = forwardRef<ConversationHandle, ConversationProps>(({
update.message = onResponse(update.message); update.message = onResponse(update.message);
} }
setProcessingMessage(undefined); setProcessingMessage(undefined);
const backstoryMessage: BackstoryMessage = update.message;
setConversation([ setConversation([
...conversationRef.current, { ...conversationRef.current,
role: 'user', update.message
content: backstoryMessage.prompt || "", ]);
}, {
role: 'assistant',
prompt: backstoryMessage.prompt || "",
preamble: backstoryMessage.preamble || "",
full_content: backstoryMessage.content || "",
content: backstoryMessage.response || "",
metadata: backstoryMessage.metadata,
actions: backstoryMessage.actions,
}] as MessageList);
} }
} catch (e) { } catch (e) {
setSnack("Error processing query", "error") setSnack("Error processing query", "error")

View File

@ -42,19 +42,17 @@ const DeleteConfirmation = (props : DeleteConfirmationProps) => {
return ( return (
<> <>
<Tooltip title={label ? `Reset ${label}` : "Reset"} > <Tooltip title={label ? `Reset ${label}` : "Reset"} >
<span style={{ display: "flex" }}> { /* This span is used to wrap the IconButton to ensure Tooltip works even when disabled */} <IconButton
<IconButton aria-label="reset"
aria-label="reset" onClick={handleClickOpen}
onClick={handleClickOpen} color={ color || "inherit" }
color={color || "inherit"} sx={{ display: "flex", margin: 'auto 0px' }}
sx={{ display: "flex", margin: 'auto 0px' }} size="large"
size="large" edge="start"
edge="start" disabled={disabled}
disabled={disabled} >
> <ResetIcon />
<ResetIcon /> </IconButton>
</IconButton>
</span>
</Tooltip> </Tooltip>
<Dialog <Dialog

View File

@ -39,10 +39,10 @@ type MessageData = {
display?: string, /* Messages generated on the server for filler should not be shown */ display?: string, /* Messages generated on the server for filler should not be shown */
id?: string, id?: string,
isProcessing?: boolean, isProcessing?: boolean,
metadata?: MessageMetaData metadata?: MessageMetaProps
}; };
interface MessageMetaData { interface MessageMetaProps {
query?: { query?: {
query_embedding: number[]; query_embedding: number[];
vector_embedding: number[]; vector_embedding: number[];
@ -64,7 +64,7 @@ type MessageList = MessageData[];
interface MessageProps { interface MessageProps {
sx?: SxProps<Theme>, sx?: SxProps<Theme>,
message: MessageData, message?: MessageData,
isFullWidth?: boolean, isFullWidth?: boolean,
submitQuery?: (text: string) => void, submitQuery?: (text: string) => void,
sessionId?: string, sessionId?: string,
@ -78,25 +78,8 @@ interface ChatQueryInterface {
submitQuery?: (text: string) => void submitQuery?: (text: string) => void
} }
interface MessageMetaProps {
metadata: MessageMetaData,
messageProps: MessageProps
};
const MessageMeta = (props: MessageMetaProps) => {
const {
/* MessageData */
full_query,
rag,
tools,
eval_count,
eval_duration,
prompt_eval_count,
prompt_eval_duration,
} = props.metadata || {};
const messageProps = props.messageProps;
const MessageMeta = ({ ...props }: MessageMetaProps) => {
return (<> return (<>
<Box sx={{ fontSize: "0.8rem", mb: 1 }}> <Box sx={{ fontSize: "0.8rem", mb: 1 }}>
Below is the LLM performance of this query. Note that if tools are called, the Below is the LLM performance of this query. Note that if tools are called, the
@ -116,28 +99,28 @@ const MessageMeta = (props: MessageMetaProps) => {
<TableBody> <TableBody>
<TableRow key="prompt" sx={{ '&:last-child td, &:last-child th': { border: 0 } }}> <TableRow key="prompt" sx={{ '&:last-child td, &:last-child th': { border: 0 } }}>
<TableCell component="th" scope="row">Prompt</TableCell> <TableCell component="th" scope="row">Prompt</TableCell>
<TableCell align="right">{prompt_eval_count}</TableCell> <TableCell align="right">{props.prompt_eval_count}</TableCell>
<TableCell align="right">{Math.round(prompt_eval_duration / 10 ** 7) / 100}</TableCell> <TableCell align="right">{Math.round(props.prompt_eval_duration / 10 ** 7) / 100}</TableCell>
<TableCell align="right">{Math.round(prompt_eval_count * 10 ** 9 / prompt_eval_duration)}</TableCell> <TableCell align="right">{Math.round(props.prompt_eval_count * 10 ** 9 / props.prompt_eval_duration)}</TableCell>
</TableRow> </TableRow>
<TableRow key="response" sx={{ '&:last-child td, &:last-child th': { border: 0 } }}> <TableRow key="response" sx={{ '&:last-child td, &:last-child th': { border: 0 } }}>
<TableCell component="th" scope="row">Response</TableCell> <TableCell component="th" scope="row">Response</TableCell>
<TableCell align="right">{eval_count}</TableCell> <TableCell align="right">{props.eval_count}</TableCell>
<TableCell align="right">{Math.round(eval_duration / 10 ** 7) / 100}</TableCell> <TableCell align="right">{Math.round(props.eval_duration / 10 ** 7) / 100}</TableCell>
<TableCell align="right">{Math.round(eval_count * 10 ** 9 / eval_duration)}</TableCell> <TableCell align="right">{Math.round(props.eval_count * 10 ** 9 / props.eval_duration)}</TableCell>
</TableRow> </TableRow>
<TableRow key="total" sx={{ '&:last-child td, &:last-child th': { border: 0 } }}> <TableRow key="total" sx={{ '&:last-child td, &:last-child th': { border: 0 } }}>
<TableCell component="th" scope="row">Total</TableCell> <TableCell component="th" scope="row">Total</TableCell>
<TableCell align="right">{prompt_eval_count + eval_count}</TableCell> <TableCell align="right">{props.prompt_eval_count + props.eval_count}</TableCell>
<TableCell align="right">{Math.round((prompt_eval_duration + eval_duration) / 10 ** 7) / 100}</TableCell> <TableCell align="right">{Math.round((props.prompt_eval_duration + props.eval_duration) / 10 ** 7) / 100}</TableCell>
<TableCell align="right">{Math.round((prompt_eval_count + eval_count) * 10 ** 9 / (prompt_eval_duration + eval_duration))}</TableCell> <TableCell align="right">{Math.round((props.prompt_eval_count + props.eval_count) * 10 ** 9 / (props.prompt_eval_duration + props.eval_duration))}</TableCell>
</TableRow> </TableRow>
</TableBody> </TableBody>
</Table> </Table>
</TableContainer> </TableContainer>
{ {
full_query !== undefined && props?.full_query !== undefined &&
<Accordion> <Accordion>
<AccordionSummary expandIcon={<ExpandMoreIcon />}> <AccordionSummary expandIcon={<ExpandMoreIcon />}>
<Box sx={{ fontSize: "0.8rem" }}> <Box sx={{ fontSize: "0.8rem" }}>
@ -145,12 +128,12 @@ const MessageMeta = (props: MessageMetaProps) => {
</Box> </Box>
</AccordionSummary> </AccordionSummary>
<AccordionDetails> <AccordionDetails>
<pre style={{ "display": "block", "position": "relative" }}><CopyBubble content={full_query?.trim()} />{full_query?.trim()}</pre> <pre style={{ "display": "block", "position": "relative" }}><CopyBubble content={props.full_query.trim()} />{props.full_query.trim()}</pre>
</AccordionDetails> </AccordionDetails>
</Accordion> </Accordion>
} }
{ {
tools !== undefined && tools.length !== 0 && props.tools !== undefined && props.tools.length !== 0 &&
<Accordion sx={{ boxSizing: "border-box" }}> <Accordion sx={{ boxSizing: "border-box" }}>
<AccordionSummary expandIcon={<ExpandMoreIcon />}> <AccordionSummary expandIcon={<ExpandMoreIcon />}>
<Box sx={{ fontSize: "0.8rem" }}> <Box sx={{ fontSize: "0.8rem" }}>
@ -158,7 +141,7 @@ const MessageMeta = (props: MessageMetaProps) => {
</Box> </Box>
</AccordionSummary> </AccordionSummary>
<AccordionDetails> <AccordionDetails>
{tools.map((tool: any, index: number) => <Box key={index}> {props.tools.map((tool: any, index: number) => <Box key={index}>
{index !== 0 && <Divider />} {index !== 0 && <Divider />}
<Box sx={{ fontSize: "0.75rem", display: "flex", flexDirection: "column", mt: 0.5 }}> <Box sx={{ fontSize: "0.75rem", display: "flex", flexDirection: "column", mt: 0.5 }}>
<div style={{ display: "flex", paddingRight: "1rem", whiteSpace: "nowrap" }}> <div style={{ display: "flex", paddingRight: "1rem", whiteSpace: "nowrap" }}>
@ -182,24 +165,24 @@ const MessageMeta = (props: MessageMetaProps) => {
</Accordion> </Accordion>
} }
{ {
rag?.name !== undefined && <> props?.rag?.name !== undefined && <>
<Accordion> <Accordion>
<AccordionSummary expandIcon={<ExpandMoreIcon />}> <AccordionSummary expandIcon={<ExpandMoreIcon />}>
<Box sx={{ fontSize: "0.8rem" }}> <Box sx={{ fontSize: "0.8rem" }}>
Top RAG {rag.ids.length} matches from '{rag.name}' collection against embedding vector of {rag.query_embedding.length} dimensions Top RAG {props.rag.ids.length} matches from '{props.rag.name}' collection against embedding vector of {props.rag.query_embedding.length} dimensions
</Box> </Box>
</AccordionSummary> </AccordionSummary>
<AccordionDetails> <AccordionDetails>
{rag.ids.map((id: number, index: number) => <Box key={index}> {props.rag.ids.map((id: number, index: number) => <Box key={index}>
{index !== 0 && <Divider />} {index !== 0 && <Divider />}
<Box sx={{ fontSize: "0.75rem", display: "flex", flexDirection: "row", mb: 0.5, mt: 0.5 }}> <Box sx={{ fontSize: "0.75rem", display: "flex", flexDirection: "row", mb: 0.5, mt: 0.5 }}>
<div style={{ display: "flex", flexDirection: "column", paddingRight: "1rem", minWidth: "10rem" }}> <div style={{ display: "flex", flexDirection: "column", paddingRight: "1rem", minWidth: "10rem" }}>
<div style={{ whiteSpace: "nowrap" }}>Doc ID: {rag.ids[index].slice(-10)}</div> <div style={{ whiteSpace: "nowrap" }}>Doc ID: {props.rag.ids[index].slice(-10)}</div>
<div style={{ whiteSpace: "nowrap" }}>Similarity: {Math.round(rag.distances[index] * 100) / 100}</div> <div style={{ whiteSpace: "nowrap" }}>Similarity: {Math.round(props.rag.distances[index] * 100) / 100}</div>
<div style={{ whiteSpace: "nowrap" }}>Type: {rag.metadatas[index].doc_type}</div> <div style={{ whiteSpace: "nowrap" }}>Type: {props.rag.metadatas[index].doc_type}</div>
<div style={{ whiteSpace: "nowrap" }}>Chunk Len: {rag.documents[index].length}</div> <div style={{ whiteSpace: "nowrap" }}>Chunk Len: {props.rag.documents[index].length}</div>
</div> </div>
<div style={{ display: "flex", padding: "3px", flexGrow: 1, border: "1px solid #E0E0E0", maxHeight: "5rem", overflow: "auto" }}>{rag.documents[index]}</div> <div style={{ display: "flex", padding: "3px", flexGrow: 1, border: "1px solid #E0E0E0", maxHeight: "5rem", overflow: "auto" }}>{props.rag.documents[index]}</div>
</Box> </Box>
</Box> </Box>
)} )}
@ -212,49 +195,13 @@ const MessageMeta = (props: MessageMetaProps) => {
</Box> </Box>
</AccordionSummary> </AccordionSummary>
<AccordionDetails> <AccordionDetails>
<VectorVisualizer inline {...messageProps} {...props.metadata} rag={rag} /> <VectorVisualizer inline {...props} rag={props?.rag} />
</AccordionDetails> </AccordionDetails>
</Accordion> </Accordion>
<Accordion>
<AccordionSummary expandIcon={<ExpandMoreIcon />}>
<Box sx={{ fontSize: "0.8rem" }}>
All response fields
</Box>
</AccordionSummary>
<AccordionDetails>
{Object.entries(props.messageProps.message)
.filter(([key, value]) => key !== undefined && value !== undefined)
.map(([key, value]) => (typeof (value) !== "string" || value?.trim() !== "") &&
<Accordion key={key}>
<AccordionSummary sx={{ fontSize: "1rem", fontWeight: "bold" }} expandIcon={<ExpandMoreIcon />}>
{key}
</AccordionSummary>
<AccordionDetails>
{key === "metadata" &&
Object.entries(value)
.filter(([key, value]) => key !== undefined && value !== undefined)
.map(([key, value]) => (
<Accordion key={`metadata.${key}`}>
<AccordionSummary sx={{ fontSize: "1rem", fontWeight: "bold" }} expandIcon={<ExpandMoreIcon />}>
{key}
</AccordionSummary>
<AccordionDetails>
<pre>{`${typeof (value) !== "object" ? value : JSON.stringify(value)}`}</pre>
</AccordionDetails>
</Accordion>
))}
{key !== "metadata" &&
<pre>{typeof (value) !== "object" ? value : JSON.stringify(value)}</pre>
}
</AccordionDetails>
</Accordion>
)}
</AccordionDetails>
</Accordion>
</> </>
} }
</>); </>
);
}; };
const ChatQuery = ({ text, submitQuery }: ChatQueryInterface) => { const ChatQuery = ({ text, submitQuery }: ChatQueryInterface) => {
@ -274,7 +221,7 @@ const ChatQuery = ({ text, submitQuery }: ChatQueryInterface) => {
} }
const Message = (props: MessageProps) => { const Message = (props: MessageProps) => {
const { message, submitQuery, isFullWidth, sx, className } = props; const { message, submitQuery, isFullWidth, sessionId, setSnack, connectionBase, sx, className } = props;
const [expanded, setExpanded] = useState<boolean>(false); const [expanded, setExpanded] = useState<boolean>(false);
const textFieldRef = useRef(null); const textFieldRef = useRef(null);
@ -346,7 +293,7 @@ const Message = (props: MessageProps) => {
{message.metadata && <> {message.metadata && <>
<Collapse in={expanded} timeout="auto" unmountOnExit> <Collapse in={expanded} timeout="auto" unmountOnExit>
<CardContent> <CardContent>
<MessageMeta messageProps={props} metadata={message.metadata} /> <MessageMeta {...{ ...message.metadata, sessionId, connectionBase, setSnack }} />
</CardContent> </CardContent>
</Collapse> </Collapse>
</>} </>}
@ -358,6 +305,7 @@ export type {
MessageProps, MessageProps,
MessageList, MessageList,
ChatQueryInterface, ChatQueryInterface,
MessageMetaProps,
MessageData, MessageData,
MessageRoles MessageRoles
}; };

View File

@ -112,12 +112,6 @@ const ResumeBuilder: React.FC<ResumeBuilderProps> = ({
return keep; return keep;
}); });
/* If Resume hasn't occurred yet and there is still more than one message,
* resume has been generated. */
if (!hasResume && reduced.length > 1) {
setHasResume(true);
}
if (reduced.length > 0) { if (reduced.length > 0) {
// First message is always 'content' // First message is always 'content'
reduced[0].title = 'Job Description'; reduced[0].title = 'Job Description';
@ -129,7 +123,7 @@ const ResumeBuilder: React.FC<ResumeBuilderProps> = ({
reduced = reduced.filter(m => m.display !== "hide"); reduced = reduced.filter(m => m.display !== "hide");
return reduced; return reduced;
}, [setHasJobDescription, setHasResume, hasResume]); }, [setHasJobDescription, setHasResume]);
const filterResumeMessages = useCallback((messages: MessageList): MessageList => { const filterResumeMessages = useCallback((messages: MessageList): MessageList => {
if (messages === undefined || messages.length === 0) { if (messages === undefined || messages.length === 0) {
@ -141,11 +135,11 @@ const ResumeBuilder: React.FC<ResumeBuilderProps> = ({
if ((m.metadata?.origin || m.origin || "no origin") === 'fact_check') { if ((m.metadata?.origin || m.origin || "no origin") === 'fact_check') {
setHasFacts(true); setHasFacts(true);
} }
if (!keep) { // if (!keep) {
console.log(`filterResumeMessages: ${i + 1} filtered:`, m); // console.log(`filterResumeMessages: ${i + 1} filtered:`, m);
} else { // } else {
console.log(`filterResumeMessages: ${i + 1}:`, m); // console.log(`filterResumeMessages: ${i + 1}:`, m);
} // }
return keep; return keep;
}); });

View File

@ -1,57 +0,0 @@
#!/bin/bash
# Ensure input was provided
if [[ -z "$1" ]]; then
echo "Usage: $0 <path/to/python_script.py>"
exit 1
fi
# Resolve user-supplied path to absolute path
TARGET=$(readlink -f "$1")
if [[ ! -f "$TARGET" ]]; then
echo "Target file '$TARGET' not found."
exit 1
fi
# Loop through python processes and resolve each script path
PID=""
for pid in $(pgrep -f python); do
if [[ -r "/proc/$pid/cmdline" ]]; then
# Get the full command line, null-separated
cmdline=$(tr '\0' ' ' < "/proc/$pid/cmdline")
# Extract the script argument (naively assumes it's the first non-option)
script_arg=$(echo "$cmdline" | awk '{for (i=2;i<=NF;i++) if ($i !~ /^-/) {print $i; exit}}')
# Try resolving the script path relative to the process's cwd
script_path=$(readlink -f "/proc/$pid/cwd/$script_arg" 2>/dev/null)
if [[ "$script_path" == "$TARGET" ]]; then
PID=$pid
break
fi
fi
done
if [[ -z "$PID" ]]; then
echo "No Python process found running '$TARGET'."
exit 1
fi
echo "Found process $PID running $TARGET"
# Get times
file_time=$(stat -c %Y "$TARGET")
proc_time=$(stat -c %Y "/proc/$PID")
# if (( file_time > proc_time )); then
# echo "Script '$TARGET' is newer than process $PID. Killing $PID"
kill -9 "$PID"
if [[ $? -ne 0 ]]; then
echo "Failed to kill process $PID."
exit 1
fi
echo "Process $PID killed."
# else
# echo "Script '$TARGET' is older than or same age as process $PID."
# fi

File diff suppressed because it is too large Load Diff

View File

@ -2,9 +2,7 @@
from . import defines from . import defines
# Import rest as `utils.*` accessible # Import rest as `utils.*` accessible
from .rag import ChromaDBFileWatcher, start_file_watcher from .rag import *
from .message import Message # Expose only public names (avoid importing hidden/internal names)
from .conversation import Conversation __all__ = [name for name in dir() if not name.startswith("_")]
from .session import Session, Chat, Resume, JobDescription, FactCheck
from .context import Context

View File

@ -1,98 +0,0 @@
from pydantic import BaseModel, Field, model_validator
from uuid import uuid4
from typing import List, Optional
from typing_extensions import Annotated, Union
from .session import AnySession, Session
class Context(BaseModel):
id: str = Field(
default_factory=lambda: str(uuid4()),
pattern=r"^[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}$"
)
sessions: List[Annotated[Union[*Session.__subclasses__()], Field(discriminator="session_type")]] = Field(
default_factory=list
)
user_resume: Optional[str] = None
user_job_description: Optional[str] = None
user_facts: Optional[str] = None
tools: List[dict] = []
rags: List[dict] = []
message_history_length: int = 5
context_tokens: int = 0
def __init__(self, id: Optional[str] = None, **kwargs):
super().__init__(id=id if id is not None else str(uuid4()), **kwargs)
@model_validator(mode="after")
def validate_unique_session_types(self):
"""Ensure at most one session per session_type."""
session_types = [session.session_type for session in self.sessions]
if len(session_types) != len(set(session_types)):
raise ValueError("Context cannot contain multiple sessions of the same session_type")
return self
def get_or_create_session(self, session_type: str, **kwargs) -> Session:
"""
Get or create and append a new session of the specified type, ensuring only one session per type exists.
Args:
session_type: The type of session to create (e.g., 'web', 'database').
**kwargs: Additional fields required by the specific session subclass.
Returns:
The created session instance.
Raises:
ValueError: If no matching session type is found or if a session of this type already exists.
"""
# Check if a session with the given session_type already exists
for session in self.sessions:
if session.session_type == session_type:
return session
# Find the matching subclass
for session_cls in Session.__subclasses__():
if session_cls.model_fields["session_type"].default == session_type:
# Create the session instance with provided kwargs
session = session_cls(session_type=session_type, **kwargs)
self.sessions.append(session)
return session
raise ValueError(f"No session class found for session_type: {session_type}")
def add_session(self, session: AnySession) -> None:
"""Add a Session to the context, ensuring no duplicate session_type."""
if any(s.session_type == session.session_type for s in self.sessions):
raise ValueError(f"A session with session_type '{session.session_type}' already exists")
self.sessions.append(session)
def get_session(self, session_type: str) -> Session | None:
"""Return the Session with the given session_type, or None if not found."""
for session in self.sessions:
if session.session_type == session_type:
return session
return None
def is_valid_session_type(self, session_type: str) -> bool:
"""Check if the given session_type is valid."""
return session_type in Session.valid_session_types()
def get_summary(self) -> str:
"""Return a summary of the context."""
if not self.sessions:
return f"Context {self.uuid}: No sessions."
summary = f"Context {self.uuid}:\n"
for i, session in enumerate(self.sessions, 1):
summary += f"\nSession {i} ({session.session_type}):\n"
summary += session.conversation.get_summary()
if session.session_type == "resume":
summary += f"\nResume: {session.get_resume()}\n"
elif session.session_type == "job_description":
summary += f"\nJob Description: {session.job_description}\n"
elif session.session_type == "fact_check":
summary += f"\nFacts: {session.facts}\n"
elif session.session_type == "chat":
summary += f"\nChat Name: {session.name}\n"
return summary

View File

@ -1,22 +0,0 @@
from pydantic import BaseModel
from typing import List
from .message import Message
class Conversation(BaseModel):
messages: List[Message] = []
def add_message(self, message: Message | List[Message]) -> None:
"""Add a Message(s) to the conversation."""
if isinstance(message, Message):
self.messages.append(message)
else:
self.messages.extend(message)
def get_summary(self) -> str:
"""Return a summary of the conversation."""
if not self.messages:
return "Conversation is empty."
summary = f"Conversation:\n"
for i, message in enumerate(self.messages, 1):
summary += f"\nMessage {i}:\n{message.get_summary()}\n"
return summary

View File

@ -1,38 +0,0 @@
from pydantic import BaseModel, model_validator
from typing import Dict, List, Optional, Any
from datetime import datetime, timezone
class Message(BaseModel):
prompt: str
preamble: str = ""
content: str = ""
response: str = ""
metadata: dict[str, Any] = {
"rag": { "documents": [] },
"tools": [],
"eval_count": 0,
"eval_duration": 0,
"prompt_eval_count": 0,
"prompt_eval_duration": 0,
}
actions: List[str] = []
timestamp: datetime = datetime.now(timezone.utc)
def add_action(self, action: str | list[str]) -> None:
"""Add a actions(s) to the message."""
if isinstance(action, str):
self.actions.append(action)
else:
self.actions.extend(action)
def get_summary(self) -> str:
"""Return a summary of the message."""
response_summary = (
f"Response: {self.response} (Actions: {', '.join(self.actions)})"
if self.response else "No response yet"
)
return (
f"Message at {self.timestamp}:\n"
f"Query: {self.preamble}{self.content}\n"
f"{response_summary}"
)

View File

@ -1,78 +0,0 @@
from pydantic import BaseModel, Field, model_validator, PrivateAttr
from typing import Literal, TypeAlias, get_args
from .conversation import Conversation
class Session(BaseModel):
session_type: Literal["resume", "job_description", "fact_check", "chat"]
system_prompt: str # Mandatory
conversation: Conversation = Conversation()
context_tokens: int = 0
_content_seed: str = PrivateAttr(default="")
def get_and_reset_content_seed(self):
tmp = self._content_seed
self._content_seed = ""
return tmp
def set_content_seed(self, content: str) -> None:
"""Set the content seed for the session."""
self._content_seed = content
def get_content_seed(self) -> str:
"""Get the content seed for the session."""
return self._content_seed
@classmethod
def valid_session_types(cls) -> set[str]:
"""Return the set of valid session_type values."""
return set(get_args(cls.__annotations__["session_type"]))
# Type alias for Session or any subclass
AnySession: TypeAlias = Session # BaseModel covers Session and subclasses
class Resume(Session):
session_type: Literal["resume"] = "resume"
resume: str = ""
@model_validator(mode="after")
def validate_resume(self):
if not self.resume.strip():
raise ValueError("Resume content cannot be empty")
return self
def get_resume(self) -> str:
"""Get the resume content."""
return self.resume
def set_resume(self, resume: str) -> None:
"""Set the resume content."""
self.resume = resume
class JobDescription(Session):
session_type: Literal["job_description"] = "job_description"
job_description: str = ""
@model_validator(mode="after")
def validate_job_description(self):
if not self.job_description.strip():
raise ValueError("Job description cannot be empty")
return self
class FactCheck(Session):
session_type: Literal["fact_check"] = "fact_check"
facts: str = ""
@model_validator(mode="after")
def validate_facts(self):
if not self.facts.strip():
raise ValueError("Facts cannot be empty")
return self
class Chat(Session):
session_type: Literal["chat"] = "chat"
@model_validator(mode="after")
def validate_name(self):
return self