mirror of
https://github.com/danny-avila/LibreChat.git
synced 2025-09-22 06:00:56 +02:00

* WIP: basic route for file downloads and file strategy for generating readablestream to pipe as res * chore(DALLE3): add typing for OpenAI client * chore: add `CONSOLE_JSON` notes to dotenv.md * WIP: first pass OpenAI Assistants File Output handling * feat: first pass assistants output file download from openai * chore: yml vs. yaml variation to .gitignore for `librechat.yml` * refactor(retrieveAndProcessFile): remove redundancies * fix(syncMessages): explicit sort of apiMessages to fix message order on abort * chore: add logs for warnings and errors, show toast on frontend * chore: add logger where console was still being used
625 lines
19 KiB
JavaScript
625 lines
19 KiB
JavaScript
const path = require('path');
|
|
const {
|
|
StepTypes,
|
|
ContentTypes,
|
|
ToolCallTypes,
|
|
// StepStatus,
|
|
MessageContentTypes,
|
|
AssistantStreamEvents,
|
|
} = require('librechat-data-provider');
|
|
const { retrieveAndProcessFile } = require('~/server/services/Files/process');
|
|
const { processRequiredActions } = require('~/server/services/ToolService');
|
|
const { createOnProgress, sendMessage } = require('~/server/utils');
|
|
const { processMessages } = require('~/server/services/Threads');
|
|
const { logger } = require('~/config');
|
|
|
|
/**
|
|
* Implements the StreamRunManager functionality for managing the streaming
|
|
* and processing of run steps, messages, and tool calls within a thread.
|
|
* @implements {StreamRunManager}
|
|
*/
|
|
class StreamRunManager {
|
|
constructor(fields) {
|
|
this.index = 0;
|
|
/** @type {Map<string, RunStep>} */
|
|
this.steps = new Map();
|
|
|
|
/** @type {Map<string, number} */
|
|
this.mappedOrder = new Map();
|
|
/** @type {Map<string, StepToolCall} */
|
|
this.orderedRunSteps = new Map();
|
|
/** @type {Set<string>} */
|
|
this.processedFileIds = new Set();
|
|
/** @type {Map<string, (delta: ToolCallDelta | string) => Promise<void>} */
|
|
this.progressCallbacks = new Map();
|
|
/** @type {Run | null} */
|
|
this.run = null;
|
|
|
|
/** @type {Express.Request} */
|
|
this.req = fields.req;
|
|
/** @type {Express.Response} */
|
|
this.res = fields.res;
|
|
/** @type {OpenAI} */
|
|
this.openai = fields.openai;
|
|
/** @type {string} */
|
|
this.apiKey = this.openai.apiKey;
|
|
/** @type {string} */
|
|
this.thread_id = fields.thread_id;
|
|
/** @type {RunCreateAndStreamParams} */
|
|
this.initialRunBody = fields.runBody;
|
|
/**
|
|
* @type {Object.<AssistantStreamEvents, (event: AssistantStreamEvent) => Promise<void>>}
|
|
*/
|
|
this.clientHandlers = fields.handlers ?? {};
|
|
/** @type {OpenAIRequestOptions} */
|
|
this.streamOptions = fields.streamOptions ?? {};
|
|
/** @type {Partial<TMessage>} */
|
|
this.finalMessage = fields.responseMessage ?? {};
|
|
/** @type {ThreadMessage[]} */
|
|
this.messages = [];
|
|
/** @type {string} */
|
|
this.text = '';
|
|
/** @type {Set<string>} */
|
|
this.attachedFileIds = fields.attachedFileIds;
|
|
/** @type {undefined | Promise<ChatCompletion>} */
|
|
this.visionPromise = fields.visionPromise;
|
|
|
|
/**
|
|
* @type {Object.<AssistantStreamEvents, (event: AssistantStreamEvent) => Promise<void>>}
|
|
*/
|
|
this.handlers = {
|
|
[AssistantStreamEvents.ThreadCreated]: this.handleThreadCreated,
|
|
[AssistantStreamEvents.ThreadRunCreated]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunQueued]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunInProgress]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunRequiresAction]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunCompleted]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunFailed]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunCancelling]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunCancelled]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunExpired]: this.handleRunEvent,
|
|
[AssistantStreamEvents.ThreadRunStepCreated]: this.handleRunStepEvent,
|
|
[AssistantStreamEvents.ThreadRunStepInProgress]: this.handleRunStepEvent,
|
|
[AssistantStreamEvents.ThreadRunStepCompleted]: this.handleRunStepEvent,
|
|
[AssistantStreamEvents.ThreadRunStepFailed]: this.handleRunStepEvent,
|
|
[AssistantStreamEvents.ThreadRunStepCancelled]: this.handleRunStepEvent,
|
|
[AssistantStreamEvents.ThreadRunStepExpired]: this.handleRunStepEvent,
|
|
[AssistantStreamEvents.ThreadRunStepDelta]: this.handleRunStepDeltaEvent,
|
|
[AssistantStreamEvents.ThreadMessageCreated]: this.handleMessageEvent,
|
|
[AssistantStreamEvents.ThreadMessageInProgress]: this.handleMessageEvent,
|
|
[AssistantStreamEvents.ThreadMessageCompleted]: this.handleMessageEvent,
|
|
[AssistantStreamEvents.ThreadMessageIncomplete]: this.handleMessageEvent,
|
|
[AssistantStreamEvents.ThreadMessageDelta]: this.handleMessageDeltaEvent,
|
|
[AssistantStreamEvents.ErrorEvent]: this.handleErrorEvent,
|
|
};
|
|
}
|
|
|
|
/**
|
|
*
|
|
* Sends the content data to the client via SSE.
|
|
*
|
|
* @param {StreamContentData} data
|
|
* @returns {Promise<void>}
|
|
*/
|
|
async addContentData(data) {
|
|
const { type, index, edited } = data;
|
|
/** @type {ContentPart} */
|
|
const contentPart = data[type];
|
|
this.finalMessage.content[index] = { type, [type]: contentPart };
|
|
|
|
if (type === ContentTypes.TEXT && !edited) {
|
|
this.text += contentPart.value;
|
|
return;
|
|
}
|
|
|
|
const contentData = {
|
|
index,
|
|
type,
|
|
[type]: contentPart,
|
|
thread_id: this.thread_id,
|
|
messageId: this.finalMessage.messageId,
|
|
conversationId: this.finalMessage.conversationId,
|
|
};
|
|
|
|
sendMessage(this.res, contentData);
|
|
}
|
|
|
|
/* <------------------ Main Event Handlers ------------------> */
|
|
|
|
/**
|
|
* Run the assistant and handle the events.
|
|
* @param {Object} params -
|
|
* The parameters for running the assistant.
|
|
* @param {string} params.thread_id - The thread id.
|
|
* @param {RunCreateAndStreamParams} params.body - The body of the run.
|
|
* @returns {Promise<void>}
|
|
*/
|
|
async runAssistant({ thread_id, body }) {
|
|
const streamRun = this.openai.beta.threads.runs.createAndStream(
|
|
thread_id,
|
|
body,
|
|
this.streamOptions,
|
|
);
|
|
for await (const event of streamRun) {
|
|
await this.handleEvent(event);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle the event.
|
|
* @param {AssistantStreamEvent} event - The stream event object.
|
|
* @returns {Promise<void>}
|
|
*/
|
|
async handleEvent(event) {
|
|
const handler = this.handlers[event.event];
|
|
const clientHandler = this.clientHandlers[event.event];
|
|
|
|
if (clientHandler) {
|
|
await clientHandler.call(this, event);
|
|
}
|
|
|
|
if (handler) {
|
|
await handler.call(this, event);
|
|
} else {
|
|
logger.warn(`Unhandled event type: ${event.event}`);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle thread.created event
|
|
* @param {ThreadCreated} event -
|
|
* The thread.created event object.
|
|
*/
|
|
async handleThreadCreated(event) {
|
|
logger.debug('Thread created:', event.data);
|
|
}
|
|
|
|
/**
|
|
* Handle Run Events
|
|
* @param {ThreadRunCreated | ThreadRunQueued | ThreadRunInProgress | ThreadRunRequiresAction | ThreadRunCompleted | ThreadRunFailed | ThreadRunCancelling | ThreadRunCancelled | ThreadRunExpired} event -
|
|
* The run event object.
|
|
*/
|
|
async handleRunEvent(event) {
|
|
this.run = event.data;
|
|
logger.debug('Run event:', this.run);
|
|
if (event.event === AssistantStreamEvents.ThreadRunRequiresAction) {
|
|
await this.onRunRequiresAction(event);
|
|
} else if (event.event === AssistantStreamEvents.ThreadRunCompleted) {
|
|
logger.debug('Run completed:', this.run);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle Run Step Events
|
|
* @param {ThreadRunStepCreated | ThreadRunStepInProgress | ThreadRunStepCompleted | ThreadRunStepFailed | ThreadRunStepCancelled | ThreadRunStepExpired} event -
|
|
* The run step event object.
|
|
*/
|
|
async handleRunStepEvent(event) {
|
|
logger.debug('Run step event:', event.data);
|
|
|
|
const step = event.data;
|
|
this.steps.set(step.id, step);
|
|
|
|
if (event.event === AssistantStreamEvents.ThreadRunStepCreated) {
|
|
this.onRunStepCreated(event);
|
|
} else if (event.event === AssistantStreamEvents.ThreadRunStepCompleted) {
|
|
this.onRunStepCompleted(event);
|
|
}
|
|
}
|
|
|
|
/* <------------------ Delta Events ------------------> */
|
|
|
|
/** @param {CodeImageOutput} */
|
|
async handleCodeImageOutput(output) {
|
|
if (this.processedFileIds.has(output.image?.file_id)) {
|
|
return;
|
|
}
|
|
|
|
const { file_id } = output.image;
|
|
const file = await retrieveAndProcessFile({
|
|
openai: this.openai,
|
|
client: this,
|
|
file_id,
|
|
basename: `${file_id}.png`,
|
|
});
|
|
// toolCall.asset_pointer = file.filepath;
|
|
const prelimImage = {
|
|
file_id,
|
|
filename: path.basename(file.filepath),
|
|
filepath: file.filepath,
|
|
height: file.height,
|
|
width: file.width,
|
|
};
|
|
// check if every key has a value before adding to content
|
|
const prelimImageKeys = Object.keys(prelimImage);
|
|
const validImageFile = prelimImageKeys.every((key) => prelimImage[key]);
|
|
|
|
if (!validImageFile) {
|
|
return;
|
|
}
|
|
|
|
const index = this.getStepIndex(file_id);
|
|
const image_file = {
|
|
[ContentTypes.IMAGE_FILE]: prelimImage,
|
|
type: ContentTypes.IMAGE_FILE,
|
|
index,
|
|
};
|
|
this.addContentData(image_file);
|
|
this.processedFileIds.add(file_id);
|
|
}
|
|
|
|
/**
|
|
* Create Tool Call Stream
|
|
* @param {number} index - The index of the tool call.
|
|
* @param {StepToolCall} toolCall -
|
|
* The current tool call object.
|
|
*/
|
|
createToolCallStream(index, toolCall) {
|
|
/** @type {StepToolCall} */
|
|
const state = toolCall;
|
|
const type = state.type;
|
|
const data = state[type];
|
|
|
|
/** @param {ToolCallDelta} */
|
|
const deltaHandler = async (delta) => {
|
|
for (const key in delta) {
|
|
if (!Object.prototype.hasOwnProperty.call(data, key)) {
|
|
logger.warn(`Unhandled tool call key "${key}", delta: `, delta);
|
|
continue;
|
|
}
|
|
|
|
if (Array.isArray(delta[key])) {
|
|
if (!Array.isArray(data[key])) {
|
|
data[key] = [];
|
|
}
|
|
|
|
for (const d of delta[key]) {
|
|
if (typeof d === 'object' && !Object.prototype.hasOwnProperty.call(d, 'index')) {
|
|
logger.warn('Expected an object with an \'index\' for array updates but got:', d);
|
|
continue;
|
|
}
|
|
|
|
const imageOutput = type === ToolCallTypes.CODE_INTERPRETER && d?.type === 'image';
|
|
|
|
if (imageOutput) {
|
|
await this.handleCodeImageOutput(d);
|
|
continue;
|
|
}
|
|
|
|
const { index, ...updateData } = d;
|
|
// Ensure the data at index is an object or undefined before assigning
|
|
if (typeof data[key][index] !== 'object' || data[key][index] === null) {
|
|
data[key][index] = {};
|
|
}
|
|
// Merge the updateData into data[key][index]
|
|
for (const updateKey in updateData) {
|
|
data[key][index][updateKey] = updateData[updateKey];
|
|
}
|
|
}
|
|
} else if (typeof delta[key] === 'string' && typeof data[key] === 'string') {
|
|
// Concatenate strings
|
|
data[key] += delta[key];
|
|
} else if (
|
|
typeof delta[key] === 'object' &&
|
|
delta[key] !== null &&
|
|
!Array.isArray(delta[key])
|
|
) {
|
|
// Merge objects
|
|
data[key] = { ...data[key], ...delta[key] };
|
|
} else {
|
|
// Directly set the value for other types
|
|
data[key] = delta[key];
|
|
}
|
|
|
|
state[type] = data;
|
|
|
|
this.addContentData({
|
|
[ContentTypes.TOOL_CALL]: toolCall,
|
|
type: ContentTypes.TOOL_CALL,
|
|
index,
|
|
});
|
|
}
|
|
};
|
|
|
|
return deltaHandler;
|
|
}
|
|
|
|
/**
|
|
* @param {string} stepId -
|
|
* @param {StepToolCall} toolCall -
|
|
*
|
|
*/
|
|
handleNewToolCall(stepId, toolCall) {
|
|
const stepKey = this.generateToolCallKey(stepId, toolCall);
|
|
const index = this.getStepIndex(stepKey);
|
|
this.getStepIndex(toolCall.id, index);
|
|
toolCall.progress = 0.01;
|
|
this.orderedRunSteps.set(index, toolCall);
|
|
const progressCallback = this.createToolCallStream(index, toolCall);
|
|
this.progressCallbacks.set(stepKey, progressCallback);
|
|
|
|
this.addContentData({
|
|
[ContentTypes.TOOL_CALL]: toolCall,
|
|
type: ContentTypes.TOOL_CALL,
|
|
index,
|
|
});
|
|
}
|
|
|
|
/**
|
|
* Handle Completed Tool Call
|
|
* @param {string} stepId - The id of the step the tool_call is part of.
|
|
* @param {StepToolCall} toolCall - The tool call object.
|
|
*
|
|
*/
|
|
handleCompletedToolCall(stepId, toolCall) {
|
|
if (toolCall.type === ToolCallTypes.FUNCTION) {
|
|
return;
|
|
}
|
|
|
|
const stepKey = this.generateToolCallKey(stepId, toolCall);
|
|
const index = this.getStepIndex(stepKey);
|
|
toolCall.progress = 1;
|
|
this.orderedRunSteps.set(index, toolCall);
|
|
this.addContentData({
|
|
[ContentTypes.TOOL_CALL]: toolCall,
|
|
type: ContentTypes.TOOL_CALL,
|
|
index,
|
|
});
|
|
}
|
|
|
|
/**
|
|
* Handle Run Step Delta Event
|
|
* @param {ThreadRunStepDelta} event -
|
|
* The run step delta event object.
|
|
*/
|
|
async handleRunStepDeltaEvent(event) {
|
|
const { delta, id: stepId } = event.data;
|
|
|
|
if (!delta.step_details) {
|
|
logger.warn('Undefined or unhandled run step delta:', delta);
|
|
return;
|
|
}
|
|
|
|
/** @type {{ tool_calls: Array<ToolCallDeltaObject> }} */
|
|
const { tool_calls } = delta.step_details;
|
|
|
|
if (!tool_calls) {
|
|
logger.warn('Unhandled run step details', delta.step_details);
|
|
return;
|
|
}
|
|
|
|
for (const toolCall of tool_calls) {
|
|
const stepKey = this.generateToolCallKey(stepId, toolCall);
|
|
|
|
if (!this.mappedOrder.has(stepKey)) {
|
|
this.handleNewToolCall(stepId, toolCall);
|
|
continue;
|
|
}
|
|
|
|
const toolCallDelta = toolCall[toolCall.type];
|
|
const progressCallback = this.progressCallbacks.get(stepKey);
|
|
await progressCallback(toolCallDelta);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle Message Delta Event
|
|
* @param {ThreadMessageDelta} event -
|
|
* The Message Delta event object.
|
|
*/
|
|
async handleMessageDeltaEvent(event) {
|
|
const message = event.data;
|
|
const onProgress = this.progressCallbacks.get(message.id);
|
|
const content = message.delta.content?.[0];
|
|
|
|
if (content && content.type === MessageContentTypes.TEXT) {
|
|
onProgress(content.text.value);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle Error Event
|
|
* @param {ErrorEvent} event -
|
|
* The Error event object.
|
|
*/
|
|
async handleErrorEvent(event) {
|
|
logger.error('Error event:', event.data);
|
|
}
|
|
|
|
/* <------------------ Misc. Helpers ------------------> */
|
|
|
|
/**
|
|
* Gets the step index for a given step key, creating a new index if it doesn't exist.
|
|
* @param {string} stepKey -
|
|
* The access key for the step. Either a message.id, tool_call key, or file_id.
|
|
* @param {number | undefined} [overrideIndex] - An override index to use an alternative stepKey.
|
|
* This is necessary due to the toolCall Id being unavailable in delta stream events.
|
|
* @returns {number | undefined} index - The index of the step; `undefined` if invalid key or using overrideIndex.
|
|
*/
|
|
getStepIndex(stepKey, overrideIndex) {
|
|
if (!stepKey) {
|
|
return;
|
|
}
|
|
|
|
if (!isNaN(overrideIndex)) {
|
|
this.mappedOrder.set(stepKey, overrideIndex);
|
|
return;
|
|
}
|
|
|
|
let index = this.mappedOrder.get(stepKey);
|
|
|
|
if (index === undefined) {
|
|
index = this.index;
|
|
this.mappedOrder.set(stepKey, this.index);
|
|
this.index++;
|
|
}
|
|
|
|
return index;
|
|
}
|
|
|
|
/**
|
|
* Generate Tool Call Key
|
|
* @param {string} stepId - The id of the step the tool_call is part of.
|
|
* @param {StepToolCall} toolCall - The tool call object.
|
|
* @returns {string} key - The generated key for the tool call.
|
|
*/
|
|
generateToolCallKey(stepId, toolCall) {
|
|
return `${stepId}_tool_call_${toolCall.index}_${toolCall.type}`;
|
|
}
|
|
|
|
/* <------------------ Run Event handlers ------------------> */
|
|
|
|
/**
|
|
* Handle Run Events Requiring Action
|
|
* @param {ThreadRunRequiresAction} event -
|
|
* The run event object requiring action.
|
|
*/
|
|
async onRunRequiresAction(event) {
|
|
const run = event.data;
|
|
const { submit_tool_outputs } = run.required_action;
|
|
const actions = submit_tool_outputs.tool_calls.map((item) => {
|
|
const functionCall = item.function;
|
|
const args = JSON.parse(functionCall.arguments);
|
|
return {
|
|
tool: functionCall.name,
|
|
toolInput: args,
|
|
toolCallId: item.id,
|
|
run_id: run.id,
|
|
thread_id: this.thread_id,
|
|
};
|
|
});
|
|
|
|
const { tool_outputs } = await processRequiredActions(this, actions);
|
|
/** @type {AssistantStream | undefined} */
|
|
let toolRun;
|
|
try {
|
|
toolRun = this.openai.beta.threads.runs.submitToolOutputsStream(
|
|
run.thread_id,
|
|
run.id,
|
|
{
|
|
tool_outputs,
|
|
stream: true,
|
|
},
|
|
this.streamOptions,
|
|
);
|
|
} catch (error) {
|
|
logger.error('Error submitting tool outputs:', error);
|
|
throw error;
|
|
}
|
|
|
|
for await (const event of toolRun) {
|
|
await this.handleEvent(event);
|
|
}
|
|
}
|
|
|
|
/* <------------------ RunStep Event handlers ------------------> */
|
|
|
|
/**
|
|
* Handle Run Step Created Events
|
|
* @param {ThreadRunStepCreated} event -
|
|
* The created run step event object.
|
|
*/
|
|
async onRunStepCreated(event) {
|
|
const step = event.data;
|
|
const isMessage = step.type === StepTypes.MESSAGE_CREATION;
|
|
|
|
if (isMessage) {
|
|
/** @type {MessageCreationStepDetails} */
|
|
const { message_creation } = step.step_details;
|
|
const stepKey = message_creation.message_id;
|
|
const index = this.getStepIndex(stepKey);
|
|
this.orderedRunSteps.set(index, message_creation);
|
|
// Create the Factory Function to stream the message
|
|
const { onProgress: progressCallback } = createOnProgress({
|
|
// todo: add option to save partialText to db
|
|
// onProgress: () => {},
|
|
});
|
|
|
|
// This creates a function that attaches all of the parameters
|
|
// specified here to each SSE message generated by the TextStream
|
|
const onProgress = progressCallback({
|
|
index,
|
|
res: this.res,
|
|
messageId: this.finalMessage.messageId,
|
|
conversationId: this.finalMessage.conversationId,
|
|
thread_id: this.thread_id,
|
|
type: ContentTypes.TEXT,
|
|
});
|
|
|
|
this.progressCallbacks.set(stepKey, onProgress);
|
|
this.orderedRunSteps.set(index, step);
|
|
return;
|
|
}
|
|
|
|
if (step.type !== StepTypes.TOOL_CALLS) {
|
|
logger.warn('Unhandled step creation type:', step.type);
|
|
return;
|
|
}
|
|
|
|
/** @type {{ tool_calls: StepToolCall[] }} */
|
|
const { tool_calls } = step.step_details;
|
|
for (const toolCall of tool_calls) {
|
|
this.handleNewToolCall(step.id, toolCall);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle Run Step Completed Events
|
|
* @param {ThreadRunStepCompleted} event -
|
|
* The completed run step event object.
|
|
*/
|
|
async onRunStepCompleted(event) {
|
|
const step = event.data;
|
|
const isMessage = step.type === StepTypes.MESSAGE_CREATION;
|
|
|
|
if (isMessage) {
|
|
logger.debug('RunStep Message completion: to be handled by Message Event.', step);
|
|
return;
|
|
}
|
|
|
|
/** @type {{ tool_calls: StepToolCall[] }} */
|
|
const { tool_calls } = step.step_details;
|
|
for (let i = 0; i < tool_calls.length; i++) {
|
|
const toolCall = tool_calls[i];
|
|
toolCall.index = i;
|
|
this.handleCompletedToolCall(step.id, toolCall);
|
|
}
|
|
}
|
|
|
|
/* <------------------ Message Event handlers ------------------> */
|
|
|
|
/**
|
|
* Handle Message Event
|
|
* @param {ThreadMessageCreated | ThreadMessageInProgress | ThreadMessageCompleted | ThreadMessageIncomplete} event -
|
|
* The Message event object.
|
|
*/
|
|
async handleMessageEvent(event) {
|
|
if (event.event === AssistantStreamEvents.ThreadMessageCompleted) {
|
|
await this.messageCompleted(event);
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Handle Message Completed Events
|
|
* @param {ThreadMessageCompleted} event -
|
|
* The Completed Message event object.
|
|
*/
|
|
async messageCompleted(event) {
|
|
const message = event.data;
|
|
const result = await processMessages({
|
|
openai: this.openai,
|
|
client: this,
|
|
messages: [message],
|
|
});
|
|
const index = this.mappedOrder.get(message.id);
|
|
this.addContentData({
|
|
[ContentTypes.TEXT]: { value: result.text },
|
|
type: ContentTypes.TEXT,
|
|
edited: result.edited,
|
|
index,
|
|
});
|
|
this.messages.push(message);
|
|
}
|
|
}
|
|
|
|
module.exports = StreamRunManager;
|